ML Skill Exercise - Alberto Marengo¶

Assignment text

In our surveys, we ask a combination of both open-ended and closed-ended questions. In this exercise, you will be analyzing open text responses from a survey question which asked the following:

  • Why are you cancelling?

Our team has already analyzed these responses to construct themes that will be useful for our clients to understand in terms of quality (what they are) and quantity (how many of each there are). As is the case with all of our projects, the ultimate goal is to use insights derived from this data to help companies make informed decisions.

You should have been given a file named coded_responses.csv

  • Respondent IDs are the unique ids attached to a respondent.
  • The text of their response is in the ‘response’ column
  • ‘Theme’ column represents the themes we coded the data for.

Note: There can be responses which have multiple themes, those responses will have multiple rows in this file.

Part 1¶

Let's start importing the packages and defining some functions we'll need for the analysis:

  • pre_process: general text cleanup preprocessing function
  • _wordclouds: generates wordcloud plot of input text
In [1]:
import numpy as np
import pandas as pd
import re
from matplotlib import pyplot as plt
import seaborn as sns
import pyLDAvis
import warnings
from tqdm import tqdm
from biterm.btm import oBTM
from wordcloud import WordCloud
from sklearn.feature_extraction.text import CountVectorizer
from biterm.utility import vec_to_biterms, topic_summuary # helper functions
C:\Users\maren\Anaconda3\envs\topic_modeling\lib\site-packages\past\builtins\misc.py:45: DeprecationWarning: the imp module is deprecated in favour of importlib; see the module's documentation for alternative uses
  from imp import reload
In [2]:
def pre_process(text):
    text = text.encode("ascii", "ignore");
    text = text.decode()
    text = text.lower()
    text = re.sub(pattern=r"\S*@\S*\s?", repl="", string=text)  # Emails
    text = re.sub(pattern=r"[0-9]", repl="", string=text)  # remove numbers
    text = re.sub(pattern=r"\n|\r", repl=" ", string=text)  # remove new line
    text = re.sub(pattern=r"\n|\r", repl=" ", string=text)  # remove new line
    text = re.sub(pattern=r"-[ ]*\b", repl="", string=text)  # correct words hyphenated in wrapping
    text = re.sub(pattern=r"\s+", repl=" ", string=text)  # remove white space
    text = re.sub(pattern=r"u[+]\w+", repl="", string=text)  # non-ascii conversions like "u+fb02"
    text = re.sub(pattern=r"u[+]\w+", repl="", string=text)  # non-ascii conversions like "u+fb02"
    text = re.sub(pattern=r"([a-z\._]+)[.](jpg|png|jpeg|pdf|gif)|([a-z\._]+)(jpg|png|jpeg|pdf|gif)|(jpg|png|jpeg|pdf|gif)",
                  repl="", string=text)  # image file extensions
    text = re.sub(pattern=r"(https?:\/\/|www.)+\S+", repl="", string=text)  # websites
    text = re.sub(pattern=r"[^A-Za-z0-9]+", repl=" ", string=text)  # removes non-english
    return text
In [3]:
def _wordclouds(inputs, max_words=5000):
    fig, ax = plt.subplots(1, 1, figsize=(15, 10))
    long_string = ', '.join(inputs)
    # Create a WordCloud object
    wordcloud = WordCloud(background_color="white", max_words=max_words, contour_width=3,
                          contour_color='steelblue', width=900, height=900, collocations=False)
    # Generate a word cloud
    wordcloud.generate(long_string)
    ax.imshow(wordcloud)
    ax.axis('off')
    fig.suptitle('Word Cloud', fontsize=16)
    # fig.savefig(fname=f'output/wordcloud.png')

We start loading the data into a pandas DataFrame and create a boolean column for text that are longer than 3 words. We'll only keep these rows for the preliminary analysis.

In [4]:
df = pd.read_csv('data/coded_responses.csv')
In [5]:
df['keep'] = df['response'].apply(lambda text: True if len(text.split())>3 else False)
df
Out[5]:
question respondent_id response theme keep
0 Why are you cancelling? 1779533 seen what I like already NaN True
1 Why are you cancelling? 1779397 You keep canceling really good, popular series! NaN True
2 Why are you cancelling? 1779811 Getting through cell provider NaN True
3 Why are you cancelling? 1779968 Budget cuts Reducing expenses / financial constraints False
4 Why are you cancelling? 1779967 Cannot have multiple users Object to sharing restrictions True
... ... ... ... ... ...
658 Why are you cancelling? 1779372 Your pricing is terrible. You keep increasing ... Constant price rise / increase True
659 Why are you cancelling? 1779371 Your profits are up and you're *raising* my pr... Constant price rise / increase True
660 Why are you cancelling? 1779370 Your rates are higher than others who do the s... Prefer competition True
661 Why are you cancelling? 1779370 Your rates are higher than others who do the s... Too expensive True
662 Why are you cancelling? 1779369 Your stupid price hike again Constant price rise / increase True

663 rows × 5 columns

Let's check if we have any duplicated rows in the dataset

In [6]:
df.duplicated().any()
Out[6]:
False
In [7]:
df[df.duplicated(subset='response')==True]
Out[7]:
question respondent_id response theme keep
15 Why are you cancelling? 1779957 I need to change country of billing Moving / changing locations True
25 Why are you cancelling? 1779948 moving in with my bf. He has an subscription a... Moving / changing locations True
32 Why are you cancelling? 1779942 Prices keep going upward it is now too much ex... Constant price rise / increase True
40 Why are you cancelling? 1779935 To expensive compared to others so switching Too expensive True
61 Why are you cancelling? 1779915 Because I can�t share with my grandkids out of... Object to sharing restrictions True
... ... ... ... ... ...
640 Why are you cancelling? 1779387 You raised your price almost 50%. I also don�t... Constant price rise / increase True
649 Why are you cancelling? 1779379 Your company has far too many price increases.... Constant price rise / increase True
657 Why are you cancelling? 1779372 Your pricing is terrible. You keep increasing ... Corporate greed / taking advantage of customers True
658 Why are you cancelling? 1779372 Your pricing is terrible. You keep increasing ... Constant price rise / increase True
661 Why are you cancelling? 1779370 Your rates are higher than others who do the s... Too expensive True

72 rows × 5 columns

It looks like we have some duplicated response but, because they are assigned to different users, we'll keep them all.

In [8]:
df.isna().any()
Out[8]:
question         False
respondent_id    False
response         False
theme             True
keep             False
dtype: bool

It also looks like we have some Nan values in the 'theme' column.

Wordcloud¶

Let's start by plotting the wordcloud of all the response to check what are the most frequent words.

In [9]:
texts = df[df['keep']==True]['response'].tolist()
texts = [pre_process(text) for text in texts]
In [10]:
len(texts)
Out[10]:
501
In [11]:
with warnings.catch_warnings():
    warnings.filterwarnings("ignore")
    from imp import reload
warnings.filterwarnings('ignore')
_wordclouds(texts, max_words=200)

It looks like words 'price', 'increase', 'subscription' are the most frequent.

Biterm Topic Model (for short text)¶

resource: https://pypi.org/project/biterm/

To assign topics, we will use a specific topic model called biterm (BTM) that is well suited for short text.

The conventional topic models implicitly capture the document-level word co-occurrence patterns to reveal topics, and thus suffer from the severe data sparsity in short documents. In BTM we learn the topics by directly modeling the generation of word co-occurrence patterns (i.e. biterms) in the whole corpus. The major advantages of BTM are that:

  • BTM explicitly models the word co-occurrence pat- terns to enhance the topic learning; and
  • BTM uses the aggregated patterns in the whole corpus for learning topics to solve the problem of sparse word co-occurrence patterns at document-level.

The parameter inference is done using Gibbs sampling, a simple and widely applicable Markov chain Monte Carlo algorithm. The basic idea of Gibbs sampling is to estimate the parameters alternatively, by replacing the value of one variable by a value drawn from the distribution of that variable conditioned on the values of the remaining variables.

In [12]:
 # vectorize texts
# vec = CountVectorizer(stop_words='english')
vec = CountVectorizer()
X = vec.fit_transform(texts).toarray()
In [13]:
# get vocabulary
vocab = vec.get_feature_names_out()

# get biterms
biterms = vec_to_biterms(X)

Let's create a training loop to try different topic numbers and get the coherence score to choose the best one.

In [14]:
def train(biterms, start=2, end=50):
    model_list = []
    topics_list = []
    coherence_score_list = []
    for num_topics in tqdm(range(start, end)):
        btm = oBTM(num_topics=num_topics, V=vocab)
        for i in range(0, len(biterms), 100): # prozess chunk of 200 texts
            biterms_chunk = biterms[i:i + 100]
            btm.fit(biterms_chunk, iterations=50)
        topics = btm.transform(biterms)
        res = topic_summuary(btm.phi_wz.T, X, vocab, df.shape[0])
        model_list.append(btm)
        topics_list.append(topics)
        coherence_score_list.append(np.mean(res['coherence']))
    return range(start, end), model_list, topics_list, coherence_score_list
In [15]:
n_range, models, topics, coherence = train(biterms)
  0%|          | 0/48 [00:00<?, ?it/s]
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.95it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.99it/s]
  6%|▌         | 3/50 [00:00<00:07,  5.98it/s]
  8%|▊         | 4/50 [00:00<00:07,  5.97it/s]
 10%|█         | 5/50 [00:00<00:07,  5.81it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.70it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.69it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.65it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.61it/s]
 20%|██        | 10/50 [00:01<00:07,  5.69it/s]
 22%|██▏       | 11/50 [00:01<00:06,  5.77it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.79it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.80it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.75it/s]
 30%|███       | 15/50 [00:02<00:06,  5.75it/s]
 32%|███▏      | 16/50 [00:02<00:05,  5.75it/s]
 34%|███▍      | 17/50 [00:02<00:05,  5.77it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.80it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.82it/s]
 40%|████      | 20/50 [00:03<00:05,  5.84it/s]
 42%|████▏     | 21/50 [00:03<00:04,  5.86it/s]
 44%|████▍     | 22/50 [00:03<00:04,  5.87it/s]
 46%|████▌     | 23/50 [00:03<00:04,  5.85it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.79it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.79it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.75it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.72it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  5.68it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.67it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.65it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.65it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.65it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  5.67it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  5.70it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.66it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.58it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.66it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.66it/s]
 78%|███████▊  | 39/50 [00:06<00:02,  5.46it/s]
 80%|████████  | 40/50 [00:06<00:01,  5.52it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.56it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.60it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.63it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.69it/s]
 90%|█████████ | 45/50 [00:07<00:00,  5.68it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.68it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.68it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.72it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.73it/s]
100%|██████████| 50/50 [00:08<00:00,  5.72it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:06,  7.09it/s]
  4%|▍         | 2/50 [00:00<00:06,  7.06it/s]
  6%|▌         | 3/50 [00:00<00:06,  7.08it/s]
  8%|▊         | 4/50 [00:00<00:06,  7.04it/s]
 10%|█         | 5/50 [00:00<00:06,  7.01it/s]
 12%|█▏        | 6/50 [00:00<00:06,  7.02it/s]
 14%|█▍        | 7/50 [00:00<00:06,  7.06it/s]
 16%|█▌        | 8/50 [00:01<00:05,  7.07it/s]
 18%|█▊        | 9/50 [00:01<00:05,  7.02it/s]
 20%|██        | 10/50 [00:01<00:05,  6.98it/s]
 22%|██▏       | 11/50 [00:01<00:05,  7.01it/s]
 24%|██▍       | 12/50 [00:01<00:05,  7.02it/s]
 26%|██▌       | 13/50 [00:01<00:05,  7.06it/s]
 28%|██▊       | 14/50 [00:01<00:05,  7.05it/s]
 30%|███       | 15/50 [00:02<00:04,  7.04it/s]
 32%|███▏      | 16/50 [00:02<00:04,  7.02it/s]
 34%|███▍      | 17/50 [00:02<00:04,  7.04it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.87it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.65it/s]
 40%|████      | 20/50 [00:02<00:04,  6.82it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.97it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.86it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.86it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.97it/s]
 50%|█████     | 25/50 [00:03<00:03,  7.05it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  7.02it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  7.00it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  7.00it/s]
 58%|█████▊    | 29/50 [00:04<00:02,  7.03it/s]
 60%|██████    | 30/50 [00:04<00:02,  7.05it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  7.06it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  7.12it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  7.10it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  7.14it/s]
 70%|███████   | 35/50 [00:04<00:02,  7.16it/s]
 72%|███████▏  | 36/50 [00:05<00:01,  7.15it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  7.13it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  7.08it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  7.01it/s]
 80%|████████  | 40/50 [00:05<00:01,  7.02it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  7.01it/s]
 84%|████████▍ | 42/50 [00:05<00:01,  7.02it/s]
 86%|████████▌ | 43/50 [00:06<00:00,  7.09it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  7.16it/s]
 90%|█████████ | 45/50 [00:06<00:00,  7.10it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  7.04it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  7.05it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  7.06it/s]
 98%|█████████▊| 49/50 [00:06<00:00,  7.06it/s]
100%|██████████| 50/50 [00:07<00:00,  7.03it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.70it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.73it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.59it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.63it/s]
 10%|█         | 5/50 [00:01<00:12,  3.60it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.64it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.65it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.68it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.69it/s]
 20%|██        | 10/50 [00:02<00:10,  3.70it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.70it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.69it/s]
 26%|██▌       | 13/50 [00:03<00:09,  3.71it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.72it/s]
 30%|███       | 15/50 [00:04<00:09,  3.71it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.72it/s]
 34%|███▍      | 17/50 [00:04<00:08,  3.75it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.79it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.76it/s]
 40%|████      | 20/50 [00:05<00:07,  3.77it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.79it/s]
 44%|████▍     | 22/50 [00:05<00:07,  3.77it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.76it/s]
 48%|████▊     | 24/50 [00:06<00:06,  3.75it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.72it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.70it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.69it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.77it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.82it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.85it/s]
 62%|██████▏   | 31/50 [00:08<00:04,  3.85it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.85it/s]
 66%|██████▌   | 33/50 [00:08<00:04,  3.85it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.86it/s]
 70%|███████   | 35/50 [00:09<00:03,  3.84it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.84it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.83it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.78it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.81it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.78it/s]
 82%|████████▏ | 41/50 [00:10<00:02,  3.82it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.76it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.77it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.75it/s]
 90%|█████████ | 45/50 [00:11<00:01,  3.75it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.77it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.75it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  3.75it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.72it/s]
100%|██████████| 50/50 [00:13<00:00,  3.75it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:16,  2.98it/s]
  4%|▍         | 2/50 [00:00<00:16,  2.90it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.89it/s]
  8%|▊         | 4/50 [00:01<00:15,  2.93it/s]
 10%|█         | 5/50 [00:01<00:15,  2.97it/s]
 12%|█▏        | 6/50 [00:02<00:14,  2.96it/s]
 14%|█▍        | 7/50 [00:02<00:14,  2.92it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.92it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.89it/s]
 20%|██        | 10/50 [00:03<00:13,  2.91it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.85it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.82it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.82it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.83it/s]
 30%|███       | 15/50 [00:05<00:12,  2.83it/s]
 32%|███▏      | 16/50 [00:05<00:11,  2.84it/s]
 34%|███▍      | 17/50 [00:05<00:11,  2.86it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.86it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.87it/s]
 40%|████      | 20/50 [00:06<00:10,  2.91it/s]
 42%|████▏     | 21/50 [00:07<00:09,  2.94it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.96it/s]
 46%|████▌     | 23/50 [00:07<00:09,  2.98it/s]
 48%|████▊     | 24/50 [00:08<00:08,  2.96it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.83it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.84it/s]
 54%|█████▍    | 27/50 [00:09<00:07,  2.89it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.92it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.96it/s]
 60%|██████    | 30/50 [00:10<00:06,  2.97it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.99it/s]
 64%|██████▍   | 32/50 [00:10<00:05,  3.01it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  3.01it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  3.02it/s]
 70%|███████   | 35/50 [00:11<00:04,  3.03it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  3.03it/s]
 74%|███████▍  | 37/50 [00:12<00:04,  3.03it/s]
 76%|███████▌  | 38/50 [00:12<00:03,  3.02it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  3.03it/s]
 80%|████████  | 40/50 [00:13<00:03,  2.95it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.94it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.94it/s]
 86%|████████▌ | 43/50 [00:14<00:02,  2.96it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.98it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.99it/s]
 92%|█████████▏| 46/50 [00:15<00:01,  3.00it/s]
 94%|█████████▍| 47/50 [00:16<00:00,  3.02it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  3.02it/s]
 98%|█████████▊| 49/50 [00:16<00:00,  3.03it/s]
100%|██████████| 50/50 [00:16<00:00,  2.94it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:24,  1.99it/s]
  4%|▍         | 2/50 [00:01<00:24,  1.99it/s]
  6%|▌         | 3/50 [00:01<00:23,  2.00it/s]
  8%|▊         | 4/50 [00:02<00:23,  1.96it/s]
 10%|█         | 5/50 [00:02<00:23,  1.94it/s]
 12%|█▏        | 6/50 [00:03<00:22,  1.96it/s]
 14%|█▍        | 7/50 [00:03<00:21,  1.96it/s]
 16%|█▌        | 8/50 [00:04<00:21,  1.97it/s]
 18%|█▊        | 9/50 [00:04<00:20,  1.97it/s]
 20%|██        | 10/50 [00:05<00:20,  1.98it/s]
 22%|██▏       | 11/50 [00:05<00:19,  1.98it/s]
 24%|██▍       | 12/50 [00:06<00:19,  1.99it/s]
 26%|██▌       | 13/50 [00:06<00:18,  1.99it/s]
 28%|██▊       | 14/50 [00:07<00:18,  1.95it/s]
 30%|███       | 15/50 [00:07<00:18,  1.94it/s]
 32%|███▏      | 16/50 [00:08<00:17,  1.96it/s]
 34%|███▍      | 17/50 [00:08<00:16,  1.96it/s]
 36%|███▌      | 18/50 [00:09<00:16,  1.97it/s]
 38%|███▊      | 19/50 [00:09<00:15,  1.97it/s]
 40%|████      | 20/50 [00:10<00:15,  1.98it/s]
 42%|████▏     | 21/50 [00:10<00:14,  1.98it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.99it/s]
 46%|████▌     | 23/50 [00:11<00:13,  1.99it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.97it/s]
 50%|█████     | 25/50 [00:12<00:12,  1.95it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.96it/s]
 54%|█████▍    | 27/50 [00:13<00:11,  1.97it/s]
 56%|█████▌    | 28/50 [00:14<00:11,  1.98it/s]
 58%|█████▊    | 29/50 [00:14<00:10,  1.99it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.99it/s]
 62%|██████▏   | 31/50 [00:15<00:09,  1.99it/s]
 64%|██████▍   | 32/50 [00:16<00:09,  1.99it/s]
 66%|██████▌   | 33/50 [00:16<00:08,  1.99it/s]
 68%|██████▊   | 34/50 [00:17<00:08,  1.99it/s]
 70%|███████   | 35/50 [00:17<00:07,  1.95it/s]
 72%|███████▏  | 36/50 [00:18<00:07,  1.95it/s]
 74%|███████▍  | 37/50 [00:18<00:06,  1.96it/s]
 76%|███████▌  | 38/50 [00:19<00:06,  1.97it/s]
 78%|███████▊  | 39/50 [00:19<00:05,  1.97it/s]
 80%|████████  | 40/50 [00:20<00:05,  1.98it/s]
 82%|████████▏ | 41/50 [00:20<00:04,  1.96it/s]
 84%|████████▍ | 42/50 [00:21<00:04,  1.96it/s]
 86%|████████▌ | 43/50 [00:21<00:03,  1.95it/s]
 88%|████████▊ | 44/50 [00:22<00:03,  1.96it/s]
 90%|█████████ | 45/50 [00:22<00:02,  1.93it/s]
 92%|█████████▏| 46/50 [00:23<00:02,  1.93it/s]
 94%|█████████▍| 47/50 [00:23<00:01,  1.94it/s]
 96%|█████████▌| 48/50 [00:24<00:01,  1.95it/s]
 98%|█████████▊| 49/50 [00:24<00:00,  1.96it/s]
100%|██████████| 50/50 [00:25<00:00,  1.97it/s]

100%|██████████| 50/50 [00:00<00:00, 1562.39it/s]
Topic 0 | Coherence=-286474.18 | Top words= to the price and it prices you is for not too will my be keep have your raising this now are just many me back subscription expensive much of worth money other time only anymore that increasing increase so good year need pay do we after but in customer ill new use with at as was service like going why no raised months up can enough services afford want canceling long am or consider subscriber rates greedy dont increases on checking luck increments access if seems last added fact currently used cancel month continues again come greed us once has more lost there being bill make company customers biannually profit because starting entertaining additional one stop life fees what an different ll loyalty alarming feel change moved far bye by almost where cut when options don high rate card using never charged break about others without budget save offer profiles business right every cant job charges compromised country especially face forcing iny pop keeping tried made nice choice shoves shady email into charge way really keeps trying better told few guys allowed wanted bank take credit automatically option understand hiking leave begin means wouldn climb cost issue even were cared forever makes benefit give reactivate rectifying already taking end rules due try upward unfortunately share start payment putting choose activities rising some rise upcoming go put garbage constantly get getting while nothing else billing thing needed costs losing think tight thanks everything kids fault currency damn later continually elsewhere increased location same letting date re move than higher possible making resubscribe well between decisions spend doesnt sense cheaper unable changed who inflation stupid waste longer ok these see caused addtional phone forth should upping moving return youll care offered renewing entertainment switching fuel subscriptions current off boyfriend next another any first hike hardly adding finally selection help direction system tipped scales value bit having all vs goes workable raise before lol biden increasses each its compared president isnt saving rejoin offset platform half payday rent out stepdad times bills own second declined per rather expenses tightening differences point opened improvements little down learning would success sight sick reduce delivering againlater rule days restriction maybe didnt let financially spending temporarily jacking summer awhile often continously lesser itself wait cannot rotating ridiculous euro series duplicate settled barely drain preemptively popular play stranger amounts warrant monthly horrible mistake mind huge hacked wants focused hikes family households yall hard loyal prefer repurposing quickly apps ontario piracy something continue please aren ripped risen combine been cancelling week monetary might may household resume restart looking vaccine replace whats interested pleased twice amount years policies under remarried financial divorce hackednot overpriced join prescription food death soon situation account paying recession secure scaling reside tooo users yearly easily eliminating instead holder willing platforms coming tired outside gas layoff intolerable their started future policy bf accounts benefits biggest broke billings drive absurd became both el edge blindly becoming biased earlier buggin acceptance drastically adicional away connected also college day daughter combining dad cutting competitive consolidating double constant addition agree continuous courtesy covid addresses creep amercian climbing deal city done aunt disgusts acct disgusting discontinue disappointed caring cell changes deteriorated aparently changing anyways anticonsumer annually charging allow youre emails servicio reducing reflect residence respect restrict retired retiring run seen set someone several sharing she short shouldn sign signaling significant since redo recently recent reason person personal pick places playing pls poland political politically por power pricing problem profits provider pushed quality raises reality single son expected ut town tracking two unemployed unfair unnecessary unneeded until uses virtue sorry waiting weeks went wife won wont work ya yet today throughout through things span spouse spouses squeeze states stay stealing stopped stopping sub subscribers support talk taste temporary terrible thank thats they people past passed history great hacking had hand happy havent he health her hosehold parents house how hungry husband idea im income isn issues grandkids gouging gotten got extortion extra fair fan fee
  2%|▏         | 1/48 [01:26<1:07:38, 86.36s/it]
Topic 1 | Coherence=-295523.35 | Top words= and you the price my subscription to extra for your with of charge that in is charging money increase greedy subscriptions share me are not when using sharing family increases it out no about have keep many don hikes pay people youre going has like prices paying different re will want because more bill also im too way was over better good if other years now just gonna need daughter reason kept few she raising outside past fan be thank cheaper bye news an anyways sign uses ut college worth company up idea states limit power we hike services on two its ridiculous taste disgusting extortion only where fee got dont this since so change from live use am cant but been terrible months getting service charges married already anticonsumer newest pricing addition locations high can won support keeps longer saving another moving greed upcoming how kids willing they deal back moved husband changing lack cancel selection issues problem without profiles continuous through one passed quality away something enough wife expenses stay grandkids member access even mom constant membership care cost increasing gone amount nonsense benefits times options stop hacked guys raised tracking new reality spending someone laid acceptance before gotten drastically at their deteriorated span who limited he bf hand recent talk loose places value as restrict down done agree go cut less future divorce city provider unfair tired intolerable same continue went parents users squeeze yet again house expected fixed income both consolidating memberships get addresses fair able what things yall happy long far stealing left havent courtesy off limiting great account or had garbage started profits shouldn kidding manservices market justify multiple after competitive between drive pick creep oneday opportunity sorry significant earlier stopping broke household pushed financial changes fiance due edge given every reducing owner first blindly members work respect why her living legacy last run dad really subscriber policy gas hard allow becoming son start became games residence frequent playing trying short being offer cutting subscribers absurd than taking hosehold town resume free unemployed today feet own combining budget notified emails double try thats recently poland accounts bank reflect amercian several used sub retired having ya connected personal summer take non disappointed discontinue disgusts once higher some business aparently fix caring annually bills weeks girl cannot moment gf el payment gouging signaling servicio history spouse hacking pagos joint shady isn parent single stopped por our owning should expensive phone do coming biggest virtue raises political twice ll retiring tried billings must adicional throughout acct spouses households biased activities medical horrible redo wont merge nonesence health hungry aunt pls waiting fact set politically covid original day declined climbing cell temporary person unnecessary lower seen unneeded until buggin opening time customer almost flat think card sight boyfriend loyal hardly quickly restart cared looking raise unfortunately losing cancelling canceling lost loyalty luck by upping made make makes platform break making upward platforms bit reside nothing billing us repurposing biden may caused understand maybe changed continually continously constantly return told consider lesser compromised piracy compared tooo let come letting combine life offered climb little choose choice checking resubscribe location restriction charged unable under lol biannually play continues amounts monthly rate pleased workable reduce allowed move all alarming would againlater wouldn rectifying afford much addtional recession additional point adding added needed never reactivate rather year yearly next youll please while vaccine whats replace benefit means begin vs wait rent renewing remarried wanted barely might wants awhile warrant automatically mind waste week aren mistake apps rejoin well anymore any were monetary month tipped offset half see forever forcing increased food focused secure second increasses increments financially inflation finally preemptively stranger instead fees feel stupid fault possible interested into scaling nice face success iny scales switching forth seems everything stepdad profit sick hackednot shoves others option situation help opened hiking holder soon president spend ontario settled goes huge prescription give series ill prefer starting policies overpriced sense improvements fuel system popular tightening rising direction thing
Average topic coherence for the top words is -290998.7687229066
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.65it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.61it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.61it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.63it/s]
 10%|█         | 5/50 [00:00<00:08,  5.60it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.62it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.62it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.63it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.66it/s]
 20%|██        | 10/50 [00:01<00:07,  5.65it/s]
 22%|██▏       | 11/50 [00:01<00:06,  5.62it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.63it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.64it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.58it/s]
 30%|███       | 15/50 [00:02<00:06,  5.60it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.62it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.61it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.63it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.63it/s]
 40%|████      | 20/50 [00:03<00:05,  5.61it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.50it/s]
 44%|████▍     | 22/50 [00:03<00:05,  5.41it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.36it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.41it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.45it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.52it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.56it/s]
 56%|█████▌    | 28/50 [00:05<00:03,  5.55it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.59it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.64it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.62it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.57it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.49it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.52it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.60it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.60it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.56it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.46it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.48it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.51it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.53it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.56it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.56it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.57it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.60it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.63it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.63it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.62it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.63it/s]
100%|██████████| 50/50 [00:08<00:00,  5.57it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.54it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.56it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.57it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.73it/s]
 10%|█         | 5/50 [00:00<00:06,  6.84it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.89it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.96it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.94it/s]
 18%|█▊        | 9/50 [00:01<00:05,  6.98it/s]
 20%|██        | 10/50 [00:01<00:05,  6.98it/s]
 22%|██▏       | 11/50 [00:01<00:05,  7.05it/s]
 24%|██▍       | 12/50 [00:01<00:05,  7.05it/s]
 26%|██▌       | 13/50 [00:01<00:05,  7.06it/s]
 28%|██▊       | 14/50 [00:02<00:05,  7.01it/s]
 30%|███       | 15/50 [00:02<00:04,  7.04it/s]
 32%|███▏      | 16/50 [00:02<00:04,  7.04it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.99it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.99it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.98it/s]
 40%|████      | 20/50 [00:02<00:04,  7.00it/s]
 42%|████▏     | 21/50 [00:03<00:04,  7.03it/s]
 44%|████▍     | 22/50 [00:03<00:03,  7.05it/s]
 46%|████▌     | 23/50 [00:03<00:03,  7.04it/s]
 48%|████▊     | 24/50 [00:03<00:03,  7.03it/s]
 50%|█████     | 25/50 [00:03<00:03,  7.03it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  7.04it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  7.02it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  7.00it/s]
 58%|█████▊    | 29/50 [00:04<00:02,  7.03it/s]
 60%|██████    | 30/50 [00:04<00:02,  7.03it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.99it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.99it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  7.01it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  7.02it/s]
 70%|███████   | 35/50 [00:05<00:02,  7.01it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.92it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.70it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.72it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.66it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.72it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  6.81it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.89it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.95it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.98it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.98it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  7.01it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  7.04it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  7.05it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  7.05it/s]
100%|██████████| 50/50 [00:07<00:00,  6.96it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:12,  3.77it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.79it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.79it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.81it/s]
 10%|█         | 5/50 [00:01<00:11,  3.79it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.77it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.77it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.76it/s]
 18%|█▊        | 9/50 [00:02<00:10,  3.77it/s]
 20%|██        | 10/50 [00:02<00:10,  3.77it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.76it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.72it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.65it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.61it/s]
 30%|███       | 15/50 [00:04<00:09,  3.65it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.68it/s]
 34%|███▍      | 17/50 [00:04<00:08,  3.73it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.74it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.74it/s]
 40%|████      | 20/50 [00:05<00:08,  3.74it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.74it/s]
 44%|████▍     | 22/50 [00:05<00:07,  3.74it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.77it/s]
 48%|████▊     | 24/50 [00:06<00:06,  3.76it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.77it/s]
 52%|█████▏    | 26/50 [00:06<00:06,  3.77it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.70it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.72it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.74it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.74it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.75it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.65it/s]
 66%|██████▌   | 33/50 [00:08<00:04,  3.60it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.64it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.67it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.73it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.73it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.79it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.79it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.78it/s]
 82%|████████▏ | 41/50 [00:10<00:02,  3.84it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.80it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.87it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.83it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.82it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.86it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.87it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  3.87it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.91it/s]
100%|██████████| 50/50 [00:13<00:00,  3.76it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:16,  2.88it/s]
  4%|▍         | 2/50 [00:00<00:16,  2.87it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.92it/s]
  8%|▊         | 4/50 [00:01<00:15,  2.95it/s]
 10%|█         | 5/50 [00:01<00:15,  2.92it/s]
 12%|█▏        | 6/50 [00:02<00:14,  2.94it/s]
 14%|█▍        | 7/50 [00:02<00:14,  2.96it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.98it/s]
 18%|█▊        | 9/50 [00:03<00:13,  2.98it/s]
 20%|██        | 10/50 [00:03<00:13,  2.96it/s]
 22%|██▏       | 11/50 [00:03<00:12,  3.00it/s]
 24%|██▍       | 12/50 [00:04<00:12,  3.00it/s]
 26%|██▌       | 13/50 [00:04<00:12,  3.00it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.98it/s]
 30%|███       | 15/50 [00:05<00:11,  3.01it/s]
 32%|███▏      | 16/50 [00:05<00:11,  3.01it/s]
 34%|███▍      | 17/50 [00:05<00:11,  2.92it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.87it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.90it/s]
 40%|████      | 20/50 [00:06<00:10,  2.93it/s]
 42%|████▏     | 21/50 [00:07<00:09,  2.95it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.96it/s]
 46%|████▌     | 23/50 [00:07<00:09,  2.98it/s]
 48%|████▊     | 24/50 [00:08<00:08,  2.98it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.99it/s]
 52%|█████▏    | 26/50 [00:08<00:08,  2.99it/s]
 54%|█████▍    | 27/50 [00:09<00:07,  3.00it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.99it/s]
 58%|█████▊    | 29/50 [00:09<00:07,  3.00it/s]
 60%|██████    | 30/50 [00:10<00:06,  2.99it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  3.01it/s]
 64%|██████▍   | 32/50 [00:10<00:06,  2.96it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  2.88it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  2.92it/s]
 70%|███████   | 35/50 [00:11<00:05,  2.94it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.94it/s]
 74%|███████▍  | 37/50 [00:12<00:04,  2.94it/s]
 76%|███████▌  | 38/50 [00:12<00:04,  3.00it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  3.00it/s]
 80%|████████  | 40/50 [00:13<00:03,  3.00it/s]
 82%|████████▏ | 41/50 [00:13<00:02,  3.00it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  3.00it/s]
 86%|████████▌ | 43/50 [00:14<00:02,  3.04it/s]
 88%|████████▊ | 44/50 [00:14<00:01,  3.01it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.99it/s]
 92%|█████████▏| 46/50 [00:15<00:01,  2.99it/s]
 94%|█████████▍| 47/50 [00:15<00:01,  3.00it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.91it/s]
 98%|█████████▊| 49/50 [00:16<00:00,  2.90it/s]
100%|██████████| 50/50 [00:16<00:00,  2.96it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:24,  2.00it/s]
  4%|▍         | 2/50 [00:01<00:24,  1.97it/s]
  6%|▌         | 3/50 [00:01<00:23,  1.98it/s]
  8%|▊         | 4/50 [00:02<00:23,  1.98it/s]
 10%|█         | 5/50 [00:02<00:22,  1.98it/s]
 12%|█▏        | 6/50 [00:03<00:22,  1.97it/s]
 14%|█▍        | 7/50 [00:03<00:21,  1.98it/s]
 16%|█▌        | 8/50 [00:04<00:21,  1.97it/s]
 18%|█▊        | 9/50 [00:04<00:21,  1.93it/s]
 20%|██        | 10/50 [00:05<00:20,  1.95it/s]
 22%|██▏       | 11/50 [00:05<00:20,  1.94it/s]
 24%|██▍       | 12/50 [00:06<00:19,  1.96it/s]
 26%|██▌       | 13/50 [00:06<00:18,  1.97it/s]
 28%|██▊       | 14/50 [00:07<00:18,  1.95it/s]
 30%|███       | 15/50 [00:07<00:17,  1.96it/s]
 32%|███▏      | 16/50 [00:08<00:17,  1.97it/s]
 34%|███▍      | 17/50 [00:08<00:16,  1.98it/s]
 36%|███▌      | 18/50 [00:09<00:16,  1.96it/s]
 38%|███▊      | 19/50 [00:09<00:15,  1.94it/s]
 40%|████      | 20/50 [00:10<00:15,  1.88it/s]
 42%|████▏     | 21/50 [00:10<00:15,  1.87it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.87it/s]
 46%|████▌     | 23/50 [00:11<00:14,  1.81it/s]
 48%|████▊     | 24/50 [00:12<00:15,  1.71it/s]
 50%|█████     | 25/50 [00:13<00:15,  1.61it/s]
 52%|█████▏    | 26/50 [00:13<00:14,  1.67it/s]
 54%|█████▍    | 27/50 [00:14<00:13,  1.73it/s]
 56%|█████▌    | 28/50 [00:14<00:12,  1.77it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.80it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.82it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.82it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.82it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.83it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.84it/s]
 70%|███████   | 35/50 [00:18<00:08,  1.83it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.83it/s]
 74%|███████▍  | 37/50 [00:19<00:07,  1.84it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.83it/s]
 78%|███████▊  | 39/50 [00:20<00:05,  1.84it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.86it/s]
 82%|████████▏ | 41/50 [00:21<00:04,  1.86it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.87it/s]
 86%|████████▌ | 43/50 [00:22<00:03,  1.88it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.89it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.89it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.89it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.89it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.88it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.88it/s]
100%|██████████| 50/50 [00:26<00:00,  1.87it/s]

100%|██████████| 50/50 [00:00<00:00, 1562.52it/s]
Topic 0 | Coherence=-266793.69 | Top words= you extra and subscription the to my that of for charging share price not using with your increase greedy pay family about charge bill money youre subscriptions because have people hikes many was so out are it sharing want services paying other im better when just prices is like if also me cheaper raising but way kept gonna reason outside keep past fan don an few years over news idea power its limit states only do disgusting extortion taste now company no different without even after ill newest cant care more hike card good too garbage compromised continues charged guys credit customers option this in automatically wanted allowed bank told issues why climb benefit how from stay grandkids profiles dont will they what first added used before rate something recent talk she one limited agree support stop their expenses longer needed service take need again parents won account put start fair charges expected things continue been forth bye between kids future yet squeeze spending away market cancel direction competitive goes tipped scales up had pick users manservices shouldn drive finally stopping got being on passed continually laid changes down reducing back sight selection blindly declined run already legacy respect members quality time cutting financial let policy didnt hosehold tracking absurd currently euro notified fees off today unemployed stranger some coming hacked play budget by personal month another customer horrible think aparently than pagos adicional servicio parent por owning should el as mom rise summer having person increases death set reside currency prefer biased rules seen unnecessary unneeded hungry holder politically yearly end caring cannot signaling allow re free going given go constantly barely focused anyways anymore girl gone any anticonsumer continously annually flat gotten give gf at current frequent aunt forever forcing fuel aren amounts awhile food games creep apps gas get getting gouging delivering great adding havent he health help her high higher addition activities addresses acct hiking accounts access acceptance courtesy history country additional has amount alarming greed amercian am almost be continuous all hackednot hacking hardly againlater half hand happy afford covid addtional hard fixed fiance fix caused come deal drastically days due cared duplicate each cancelling earlier easily edge canceling day eliminating else elsewhere daughter email combining cell emails change deteriorated combine differences climbing city choose disappointed discontinue disgusts divorce choice doesnt checking done changing decisions double changed drain can date became costs face fact biden biannually bf far fault cut consolidating fee feel constant feet benefits college begin house becoming financially biggest billing enough billings entertaining entertainment especially damn business buggin compared dad connected broke every everything break boyfriend both consider bit expensive bills cost loyal household shady since significant sign sick shoves short several situation settled series sense seems see secure single someone success starting subscriber sub stupid stopped stepdad stealing started son spouses spouse spend span sorry soon second scaling saving reflect repurposing replace rent renewing remarried rejoin reduce save redo rectifying recession recently really reality residence restart restrict restriction resubscribe resume retired retiring return ridiculous right ripped risen rising rotating rule same subscribers switching rather wants well weeks week we waste warrant waiting were wait vs virtue value vaccine ut went whats system worth youll year yall ya wouldn would workable where work wont willing wife who while uses use us there tightening tight throughout through thing these thats upward thanks thank terrible temporary temporarily taking times tired tooo town tried try trying twice two unable under understand unfair unfortunately until upcoming upping reactivate rates households location losing loose looking long lol locations ll lower living live little limiting life letting lost loyalty mistake means might merge memberships membership member medical maybe luck may married making makes make made lesser less left increments iny intolerable into interested instead inflation increasses leave increasing increased income improvements husband huge isn isnt issue itself jacking job join joint justify keeping keeps kidding lack last later layoff learning mind moment raises platforms poland point pls pleased please playing platform
Topic 1 | Coherence=-281514.24 | Top words= to and the price my subscription in will be with you back of need is we for your money have many too has this increases it different am just use don now on where months as change subscriptions that pay access me good dont canceling cancel two other time moved why want increments like checking luck already anymore cut can greed ridiculous one upcoming getting going service prices out since keep got hike month much are once live almost only an was married fee anticonsumer locations up moving been by break trying tried shady offer keeps when save due budget taking ill few cant job country come using selection at no lost husband lack changing new hikes through last so fact wife payment raised member membership benefits end ll nonsense another try or afford gone customer also used long increase high mom rate billing else saving won reality over someone costs acceptance losing times amount year divorce drastically deteriorated everything span location expensive move date rising phone rise hand he go yall increased possible bf spend get activities passed restrict expenses places changed thanks subscriber provider unable inflation life tight years currency made own caused between see far away from able upping consolidating memberships addtional addresses house household income who boyfriend both youll fixed return services having fuel sharing entertainment current because off into really tracking they left next stealing putting havent started limiting some courtesy but stop choose help longer these hacked resume people all bit willing laid before president platform oneday biden increasses gas waste earlier significant broke offset sorry each rent fiance owner second edge payday stepdad per pushed done about went would value opened continues againlater work summer households tightening learning happy rather damn her town reduce same share short son spending family frequent became financially awhile take after business free feet how emails hard mind mistake double duplicate poland thats series accounts combining wait amercian amounts rotating recently popular preemptively bank bills non disappointed combine card huge repurposing connected sub apps annually wants piracy retired financial ontario moment news single must gf cheaper virtue vaccine unfair later hacking remarried spouse replace looking joint retiring right needed might multiple our horrible may political future week monetary food instead health aunt temporary covid acct never cell recession their redo buggin switching day offered until better signaling college situation something soon merge spouses waiting opening stupid flat join platforms layoff extra prefer start again added agree euro allow fair alarming especially absurd barely allowed entertaining fan finally fault feel account face every extortion fees anyways aparently any adding even expected creep credit addition aren enough customers additional automatically adicional consider becoming delivering charge cutting direction charged charges charging differences continously didnt choice constantly city climb climbing discontinue declined decisions death deal days coming daughter company compared constant dad competitive compromised changes disgusting email continuous elsewhere begin being benefit biannually eliminating biggest el bill billings easily cost blindly currently disgusts drive drain bye down cancelling cannot continue continually care cared doesnt caring do biased youre first servicio ripped risen rule rules run scales scaling secure seems seen sense set stay settled several she should shouldn shoves sick sight sign squeeze starting resubscribe restriction restart respect pricing problem profiles profit profits put quality quickly raise raises raising rates re reactivate reason recent rectifying reducing reflect rejoin renewing reside residence states stopped fix well unneeded upward us users uses ut vs wanted warrant way weeks were stopping what whats while without wont workable worth wouldn ya yearly yet unnecessary unfortunately unemployed understand stranger subscribers success support system talk taste temporarily terrible than thank there thing things think throughout tipped tired today told tooo twice under prescription power por issues idea if im improvements increasing interested intolerable iny isn isnt issue its pop itself jacking justify keeping kept kidding kids leave legacy less lesser hungry hosehold holder history focused forcing forever forth games garbage girl give given goes gonna gotten gouging grandkids great greedy guys
  4%|▍         | 2/48 [03:01<1:10:16, 91.65s/it]
Topic 2 | Coherence=-275152.08 | Top words= price the and it is you prices for to not your too are keep me worth raising going increase no increasing charge expensive re more greedy will when much now good year up enough increases bye new this only my anymore daughter customer with at that raised thank of after time ut sign uses anyways college many have consider rates just like money can service she other long extra subscriber in but company or be options seems charges sharing high if has afford do currently again us cost there make entertaining profit starting biannually being additional terrible use alarming loyalty feel so every pricing addition last stop far way added fees what kids subscription ill profiles others fact never keeps nice choice forcing keeping iny especially face shoves business pop email deal need life greed right months reactivate makes cared rectifying means leave continuous problem issue forever understand were hiking begin wouldn give we about saving dont same ll willing services longer constant was really upward unfortunately rules come support higher on back used constantly nothing while fee ridiculous go value lost thing using gotten another who than guys fault quality paying customers want elsewhere get loose into letting less making doesnt resubscribe made well decisions tired sense continues down pay intolerable think city later better ok from should stupid start share times renewing getting great hardly adding take any unfair choose system workable putting justify offered damn creep raise kidding profits vs charging something once opportunity moving because switching continually live compared isnt don lol cannot rejoin amount half given activities hacked cant am some twice sick spending dad even point done improvements living success rule delivering little differences charged as bills why games continously offer playing residence often days becoming try maybe put restriction subscribers temporarily users went multiple without jacking drain lesser itself monthly hard loyal off warrant settled continue subscriptions barely reflect allow quickly disgusts waste moved discontinue weeks happy rising several ripped please its risen aren since girl ya focused fix under these biggest raises billings cancelling history stopped restart throughout tight interested thanks won pleased gouging whats isn declined policies overpriced eliminating tooo climbing scaling nonesence pls lower prescription caring secure easily hackednot wont medical original squeeze yet policy join huge im reduce family few acct fiance finally euro financial accounts entertainment aparently account financially apps access first acceptance fixed flat absurd food aunt anticonsumer feet fan addresses also fair already amercian amounts almost allowed all an away agree againlater extortion adicional annually expenses expected addtional everything automatically el awhile end death deteriorated didnt different direction disappointed cheaper changing disgusting changes divorce changed change cell caused climb combine combining country currency credit cut covid courtesy cutting costs day date consolidating connected compromised competitive coming care card canceling benefits edge biden biased current bf between else billing benefit before been became bank emails bill earlier cancel boyfriend by buggin budget broke break double both each drastically blindly bit drive due duplicate checking youre forth son restrict resume retired retiring return rise rotating run save scales second see seen selection series servicio set shady short shouldn sight signaling significant single situation respect reside repurposing provider play poland political politically popular por possible power preemptively prefer president pushed replace rate rather reality reason recent recently recession redo reducing remarried rent someone soon free sorry tried trying two unable unemployed unnecessary unneeded until upcoming upping vaccine virtue wait waiting wanted wants week where wife work would yall yearly years youll tracking town told sub span spend spouse spouses started states stay stealing stepdad stopping stranger summer today taking talk taste temporary thats their they things through tightening tipped platforms platform places piracy how hungry husband idea income increased increasses increments inflation instead issues job joint kept lack laid layoff learning left legacy let limit limited limiting location households household house hacking frequent fuel future garbage gas gf goes gone gonna got grandkids had hosehold hand havent having he health help her
Average topic coherence for the top words is -274486.6703957725
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.92it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.88it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.84it/s]
  8%|▊         | 4/50 [00:00<00:07,  5.84it/s]
 10%|█         | 5/50 [00:00<00:07,  5.88it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.91it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.91it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.48it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.19it/s]
 20%|██        | 10/50 [00:01<00:07,  5.23it/s]
 22%|██▏       | 11/50 [00:01<00:07,  5.42it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.54it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.61it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.67it/s]
 30%|███       | 15/50 [00:02<00:06,  5.67it/s]
 32%|███▏      | 16/50 [00:02<00:05,  5.69it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.77it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.78it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.79it/s]
 40%|████      | 20/50 [00:03<00:05,  5.80it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.79it/s]
 44%|████▍     | 22/50 [00:03<00:04,  5.84it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.87it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.88it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.86it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.84it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  5.84it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  5.88it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.92it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.90it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.88it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.86it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  5.87it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  5.90it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.91it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.90it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.86it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.83it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  5.87it/s]
 80%|████████  | 40/50 [00:06<00:01,  5.90it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.87it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.87it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.84it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.82it/s]
 90%|█████████ | 45/50 [00:07<00:00,  5.82it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  5.81it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.81it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.80it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.78it/s]
100%|██████████| 50/50 [00:08<00:00,  5.78it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:06,  7.35it/s]
  4%|▍         | 2/50 [00:00<00:06,  7.29it/s]
  6%|▌         | 3/50 [00:00<00:06,  7.27it/s]
  8%|▊         | 4/50 [00:00<00:06,  7.22it/s]
 10%|█         | 5/50 [00:00<00:06,  7.19it/s]
 12%|█▏        | 6/50 [00:00<00:06,  7.17it/s]
 14%|█▍        | 7/50 [00:00<00:06,  7.16it/s]
 16%|█▌        | 8/50 [00:01<00:05,  7.21it/s]
 18%|█▊        | 9/50 [00:01<00:05,  7.25it/s]
 20%|██        | 10/50 [00:01<00:05,  7.25it/s]
 22%|██▏       | 11/50 [00:01<00:05,  7.25it/s]
 24%|██▍       | 12/50 [00:01<00:05,  7.22it/s]
 26%|██▌       | 13/50 [00:01<00:05,  7.21it/s]
 28%|██▊       | 14/50 [00:01<00:05,  7.19it/s]
 30%|███       | 15/50 [00:02<00:04,  7.21it/s]
 32%|███▏      | 16/50 [00:02<00:04,  7.25it/s]
 34%|███▍      | 17/50 [00:02<00:04,  7.26it/s]
 36%|███▌      | 18/50 [00:02<00:04,  7.26it/s]
 38%|███▊      | 19/50 [00:02<00:04,  7.24it/s]
 40%|████      | 20/50 [00:02<00:04,  7.23it/s]
 42%|████▏     | 21/50 [00:02<00:04,  7.20it/s]
 44%|████▍     | 22/50 [00:03<00:03,  7.20it/s]
 46%|████▌     | 23/50 [00:03<00:03,  7.24it/s]
 48%|████▊     | 24/50 [00:03<00:03,  7.28it/s]
 50%|█████     | 25/50 [00:03<00:03,  7.27it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  7.26it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  7.26it/s]
 56%|█████▌    | 28/50 [00:03<00:03,  7.20it/s]
 58%|█████▊    | 29/50 [00:04<00:02,  7.20it/s]
 60%|██████    | 30/50 [00:04<00:02,  7.24it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  7.23it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  7.19it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  7.14it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  7.13it/s]
 70%|███████   | 35/50 [00:04<00:02,  7.15it/s]
 72%|███████▏  | 36/50 [00:04<00:01,  7.13it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  7.18it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  7.20it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  7.21it/s]
 80%|████████  | 40/50 [00:05<00:01,  7.22it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  7.21it/s]
 84%|████████▍ | 42/50 [00:05<00:01,  7.24it/s]
 86%|████████▌ | 43/50 [00:05<00:00,  7.23it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  7.28it/s]
 90%|█████████ | 45/50 [00:06<00:00,  7.30it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  7.30it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  7.27it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  7.21it/s]
 98%|█████████▊| 49/50 [00:06<00:00,  7.22it/s]
100%|██████████| 50/50 [00:06<00:00,  7.22it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:12,  4.01it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.93it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.60it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.48it/s]
 10%|█         | 5/50 [00:01<00:12,  3.63it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.70it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.77it/s]
 16%|█▌        | 8/50 [00:02<00:10,  3.85it/s]
 18%|█▊        | 9/50 [00:02<00:10,  3.88it/s]
 20%|██        | 10/50 [00:02<00:10,  3.87it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.86it/s]
 24%|██▍       | 12/50 [00:03<00:09,  3.87it/s]
 26%|██▌       | 13/50 [00:03<00:09,  3.92it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.91it/s]
 30%|███       | 15/50 [00:03<00:08,  3.90it/s]
 32%|███▏      | 16/50 [00:04<00:08,  3.93it/s]
 34%|███▍      | 17/50 [00:04<00:08,  3.93it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.91it/s]
 38%|███▊      | 19/50 [00:04<00:07,  3.91it/s]
 40%|████      | 20/50 [00:05<00:07,  3.91it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.92it/s]
 44%|████▍     | 22/50 [00:05<00:07,  3.93it/s]
 46%|████▌     | 23/50 [00:05<00:06,  3.90it/s]
 48%|████▊     | 24/50 [00:06<00:06,  3.89it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.90it/s]
 52%|█████▏    | 26/50 [00:06<00:06,  3.89it/s]
 54%|█████▍    | 27/50 [00:07<00:05,  3.88it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.89it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.90it/s]
 60%|██████    | 30/50 [00:07<00:05,  3.89it/s]
 62%|██████▏   | 31/50 [00:08<00:04,  3.86it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.91it/s]
 66%|██████▌   | 33/50 [00:08<00:04,  3.91it/s]
 68%|██████▊   | 34/50 [00:08<00:04,  3.91it/s]
 70%|███████   | 35/50 [00:09<00:03,  3.90it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.90it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.90it/s]
 76%|███████▌  | 38/50 [00:09<00:03,  3.91it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.92it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.92it/s]
 82%|████████▏ | 41/50 [00:10<00:02,  3.91it/s]
 84%|████████▍ | 42/50 [00:10<00:02,  3.89it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.90it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.91it/s]
 90%|█████████ | 45/50 [00:11<00:01,  3.89it/s]
 92%|█████████▏| 46/50 [00:11<00:01,  3.89it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.92it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  3.95it/s]
 98%|█████████▊| 49/50 [00:12<00:00,  3.94it/s]
100%|██████████| 50/50 [00:12<00:00,  3.88it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:16,  2.92it/s]
  4%|▍         | 2/50 [00:00<00:16,  2.97it/s]
  6%|▌         | 3/50 [00:01<00:15,  2.97it/s]
  8%|▊         | 4/50 [00:01<00:15,  3.00it/s]
 10%|█         | 5/50 [00:01<00:15,  2.98it/s]
 12%|█▏        | 6/50 [00:02<00:14,  2.97it/s]
 14%|█▍        | 7/50 [00:02<00:14,  2.98it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.98it/s]
 18%|█▊        | 9/50 [00:03<00:13,  2.98it/s]
 20%|██        | 10/50 [00:03<00:13,  2.99it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.92it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.78it/s]
 26%|██▌       | 13/50 [00:04<00:12,  2.85it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.89it/s]
 30%|███       | 15/50 [00:05<00:12,  2.91it/s]
 32%|███▏      | 16/50 [00:05<00:11,  2.91it/s]
 34%|███▍      | 17/50 [00:05<00:11,  2.93it/s]
 36%|███▌      | 18/50 [00:06<00:10,  2.95it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.96it/s]
 40%|████      | 20/50 [00:06<00:10,  2.96it/s]
 42%|████▏     | 21/50 [00:07<00:09,  2.96it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.96it/s]
 46%|████▌     | 23/50 [00:07<00:09,  2.96it/s]
 48%|████▊     | 24/50 [00:08<00:08,  2.97it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.99it/s]
 52%|█████▏    | 26/50 [00:08<00:08,  2.98it/s]
 54%|█████▍    | 27/50 [00:09<00:07,  2.98it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.99it/s]
 58%|█████▊    | 29/50 [00:09<00:07,  2.97it/s]
 60%|██████    | 30/50 [00:10<00:06,  2.97it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.97it/s]
 64%|██████▍   | 32/50 [00:10<00:06,  2.95it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  2.96it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  2.97it/s]
 70%|███████   | 35/50 [00:11<00:05,  2.97it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.97it/s]
 74%|███████▍  | 37/50 [00:12<00:04,  2.98it/s]
 76%|███████▌  | 38/50 [00:12<00:04,  2.98it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.98it/s]
 80%|████████  | 40/50 [00:13<00:03,  2.98it/s]
 82%|████████▏ | 41/50 [00:13<00:03,  2.98it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.98it/s]
 86%|████████▌ | 43/50 [00:14<00:02,  2.99it/s]
 88%|████████▊ | 44/50 [00:14<00:02,  2.99it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.99it/s]
 92%|█████████▏| 46/50 [00:15<00:01,  2.99it/s]
 94%|█████████▍| 47/50 [00:15<00:01,  2.96it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.96it/s]
 98%|█████████▊| 49/50 [00:16<00:00,  2.97it/s]
100%|██████████| 50/50 [00:16<00:00,  2.96it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:24,  2.01it/s]
  4%|▍         | 2/50 [00:01<00:24,  1.98it/s]
  6%|▌         | 3/50 [00:01<00:23,  1.98it/s]
  8%|▊         | 4/50 [00:02<00:23,  1.97it/s]
 10%|█         | 5/50 [00:02<00:22,  1.99it/s]
 12%|█▏        | 6/50 [00:03<00:22,  1.98it/s]
 14%|█▍        | 7/50 [00:03<00:21,  1.99it/s]
 16%|█▌        | 8/50 [00:04<00:21,  1.97it/s]
 18%|█▊        | 9/50 [00:04<00:20,  1.98it/s]
 20%|██        | 10/50 [00:05<00:20,  1.97it/s]
 22%|██▏       | 11/50 [00:05<00:19,  1.98it/s]
 24%|██▍       | 12/50 [00:06<00:19,  1.97it/s]
 26%|██▌       | 13/50 [00:06<00:18,  1.98it/s]
 28%|██▊       | 14/50 [00:07<00:18,  1.98it/s]
 30%|███       | 15/50 [00:07<00:17,  1.99it/s]
 32%|███▏      | 16/50 [00:08<00:17,  1.98it/s]
 34%|███▍      | 17/50 [00:08<00:16,  1.99it/s]
 36%|███▌      | 18/50 [00:09<00:16,  1.98it/s]
 38%|███▊      | 19/50 [00:09<00:15,  1.97it/s]
 40%|████      | 20/50 [00:10<00:15,  1.96it/s]
 42%|████▏     | 21/50 [00:10<00:14,  1.97it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.97it/s]
 46%|████▌     | 23/50 [00:11<00:13,  1.98it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.97it/s]
 50%|█████     | 25/50 [00:12<00:12,  1.98it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.97it/s]
 54%|█████▍    | 27/50 [00:13<00:11,  1.98it/s]
 56%|█████▌    | 28/50 [00:14<00:11,  1.98it/s]
 58%|█████▊    | 29/50 [00:14<00:10,  1.96it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.97it/s]
 62%|██████▏   | 31/50 [00:15<00:09,  1.97it/s]
 64%|██████▍   | 32/50 [00:16<00:09,  1.98it/s]
 66%|██████▌   | 33/50 [00:16<00:08,  1.98it/s]
 68%|██████▊   | 34/50 [00:17<00:08,  1.98it/s]
 70%|███████   | 35/50 [00:17<00:07,  1.98it/s]
 72%|███████▏  | 36/50 [00:18<00:07,  1.98it/s]
 74%|███████▍  | 37/50 [00:18<00:06,  1.98it/s]
 76%|███████▌  | 38/50 [00:19<00:06,  1.98it/s]
 78%|███████▊  | 39/50 [00:19<00:05,  1.97it/s]
 80%|████████  | 40/50 [00:20<00:05,  1.97it/s]
 82%|████████▏ | 41/50 [00:20<00:04,  1.97it/s]
 84%|████████▍ | 42/50 [00:21<00:04,  1.97it/s]
 86%|████████▌ | 43/50 [00:21<00:03,  1.98it/s]
 88%|████████▊ | 44/50 [00:22<00:03,  1.98it/s]
 90%|█████████ | 45/50 [00:22<00:02,  1.97it/s]
 92%|█████████▏| 46/50 [00:23<00:02,  1.98it/s]
 94%|█████████▍| 47/50 [00:23<00:01,  1.97it/s]
 96%|█████████▌| 48/50 [00:24<00:01,  1.98it/s]
 98%|█████████▊| 49/50 [00:24<00:00,  1.98it/s]
100%|██████████| 50/50 [00:25<00:00,  1.98it/s]

100%|██████████| 50/50 [00:00<00:00, 1612.92it/s]
Topic 0 | Coherence=-255184.41 | Top words= and to it was subscription that so have price are other keep the using better services your not you raising my people kept reason gonna youre but im prices cheaper charge is just if do pay out anymore only for dont now money bill because charging an in extra ill increase charged afford bank hike compromised card has why too after told wanted allowed option credit automatically since guys up benefit climb one like cant without down me kids selection hacked or much added putting on choose more need when made from continues business make no service should between resubscribe decisions date letting making doesnt done well change span sense been activities deteriorated enough at member us inflation into with use gone share went extortion drastically needed cost taste caused yall time customers thanks will unable havent by forth years be hardly stealing drive finally goes competitive shouldn pick charges help scales tipped creep quality market manservices direction all put oneday keeps biden sorry what lost earlier continually president rising else costs half blindly stepdad back billing changing constant really how resume expenses cutting expensive barely wife another less drain spending married stupid recent due thats increasing increased living garbage notified today rotating fees hard again job paying aren focused fix think something political disgusting want warrant por daughter cut adicional customer good signaling el pagos vaccine this virtue fair looking servicio being family temporarily often acct food household spouses limited already recession someone reducing hungry unnecessary high unneeded scaling gas month free spend became payday tried wait playing bills states agree switching history amercian hiking fiance few grandkids feet fault give fuel go gouging given gf households going having higher feel got hikes fee girl greed financial health gotten horrible hackednot hacking forever future games forcing had holder hosehold hand great happy greedy get flat fixed getting he her first financially house frequent current far broke before begin benefits bf biannually biased biggest billings bit both boyfriend break budget awhile buggin bye can cancel canceling cancelling cannot care cared caring cell changed becoming away checking alarming about absurd acceptance access account accounts adding addition additional addresses addtional againlater allow aunt almost also am amount amounts annually anticonsumer any anyways aparently apps as changes choice fan elsewhere different disappointed discontinue disgusts divorce don double duplicate each easily edge eliminating email didnt emails end entertaining entertainment especially euro even every everything expected face fact differences delivering city continously climbing college combine combining come coming company compared connected consider consolidating constantly continue declined continuous country courtesy covid currency currently dad damn day days deal death huge loyal husband rates sign sight sick shoves short she sharing shady several settled set series seen seems see significant single situation stay subscriber sub stranger stopping stopped stop starting some started start squeeze spouse soon son secure second saving reflect repurposing replace rent renewing remarried rejoin reduce residence redo rectifying recently reality reactivate re reside respect save ripped same run rules rule risen rise right restart ridiculous return retiring retired restriction restrict subscribers subscriptions success waiting weeks week we way waste wants vs whats value ut uses users used upward were where upcoming would youll yet yearly year ya wouldn worth while workable work wont won willing who upping until summer than thing they these there their thank terrible through temporary talk taking take system support things throughout unfortunately trying unfair unemployed understand under two twice try tight tracking town tooo tired times tightening rather rate idea raises may many makes luck loyalty lower losing loose longer long lol locations location ll live maybe means medical moment moving moved move months monthly monetary mom members mistake mind might merge memberships membership little limiting limit intolerable its issues issue isnt isn iny interested jacking instead increments increasses increases income improvements itself join life layoff let lesser legacy left leave learning later joint last laid lack kidding keeping justify multiple must never please policy policies poland point pls pleased play pop
Topic 1 | Coherence=-279323.22 | Top words= for price and the you is prices to it your not too me worth are going raising increase keep my no expensive charge increasing now year greedy just good much up many re when service in of after pay long customer thank extra like sign college daughter will ut anyways uses she increases sharing new subscriber rates this bye subscription anymore with raised people be only charges have or options enough seems stop company we has far am time currently last that but other so additional biannually starting at entertaining profit more life terrible getting consider want keeps loyalty alarming feel profiles as high months do addition pricing fees on lost even there way out about been others customers ill every use willing added its they money iny shoves ridiculous nice forcing choice face especially keeping pop don times subscriptions go rate make through services something garbage how rules amount unfortunately care support nonsense upward access from used was higher benefits guys because can nothing changing spending gotten than who continue tracking their continues cancel thing damn same fault everything hand hikes really constant cheaper charging right think provider selection quality ok into squeeze income cost already fixed better possible without happy wife renewing bills while great budget recent yet constantly put limiting else courtesy paying started made household trying kidding raise lack later vs workable system switching profits left job increasses never phone each offset compared these stupid adding activities fair offer fiance given success longer members respect fee try divorce reduce gone any legacy improvements isnt take differences run rule twice restriction boyfriend offered some maybe elsewhere continously becoming thanks consolidating euro monthly lesser declined reflect itself mind talk annually wants if became non users membership rising summer please yall ya girl connected got retired often whats moving tired currency pleased gouging policies single isn replace eliminating wont lower cell hackednot medical pls easily nonesence yearly secure health resume climbing prescription overpriced original prefer lol hacked tight waste deal increased letting loose second another extortion away give automatically absurd anticonsumer fact fan aparently family aunt apps aren free an acceptance games first fix future fuel again flat afford focused food frequent addresses adicional forever addtional forth financially agree gf financial account get amounts amercian feet few accounts finally also almost allowed allow gas acct all againlater coming expenses cutting caused date day days caring cared card cant death decisions delivering deteriorated didnt cannot different cancelling canceling direction by dad cut expected change combining competitive compromised combine climb city choose continually checking continuous costs country charged covid credit creep changes changed current business buggin disappointed discontinue biden edge el biased come bf email between benefit being emails end begin before entertainment barely bank back awhile earlier biggest duplicate done disgusting broke break disgusts both doesnt blindly bit billings due billing dont bill double down drain drastically drive youre loyal goes rotating saving scales scaling see seen sense series servicio set settled several shady share short should shouldn sick sight signaling significant since situation someone son soon sorry span save risen gonna rise president problem pushed putting quickly raises rather reactivate reality reason recently recession rectifying redo reducing rejoin remarried rent repurposing reside residence restart restrict resubscribe retiring return ripped spend spouse spouses start unneeded until upcoming upping us using vaccine value virtue wait waiting wanted warrant week weeks well went were what where why won work would wouldn years youll unnecessary unfair unemployed temporary states stay stealing stepdad stopped stopping stranger sub subscribers taking taste temporarily thats understand things throughout tightening tipped today told tooo town tried two unable under preemptively power por market issue issues jacking join joint justify kept kids laid layoff learning leave less let limit limited little live living ll location locations looking losing luck makes making intolerable interested instead hike grandkids greed hacking had half hard hardly havent having he help her hiking inflation history holder horrible hosehold house households huge hungry husband idea im increments manservices
Topic 2 | Coherence=-271830.24 | Top words= to and the will be price my you back in need subscription money is this we have different for of increases it use where many that with just more greed too good can time other want on dont am two as why subscriptions me access don cancel checking luck increments your again months fact canceling not now pay once live upcoming got fee month cut come change moved saving almost are raised another locations anticonsumer ridiculous new only break married shady tried save bye ill charge if offer sharing email like consider taking used since paying but deal start few due at budget give forever makes reactivate problem customer kids issue never continuous rectifying country re payment trying take ll before going prices get afford service try much anymore end services first getting also one membership losing what expenses mom moving job move tight location by using last places some loose do restrict won unfair city husband intolerable when own from see business currency memberships return able addtional things care us youll addresses both current changed fuel even entertainment high having there rise elsewhere bit off divorce laid after costs less increased platform rejoin cant spend passed increase significant billing go constantly policy changes horrible per rising rent opened wife already againlater tightening later second stop gas house dad her same short let away awhile broke has hard financially payday next didnt consolidating accounts justify agree combining needed double duplicate mistake emails feet poland loyal settled recently weeks discontinue amercian wait several repurposing owner piracy aparently than apps ontario might may restart out monetary retiring biggest must week cancelling gf right summer under temporarily possible joint these interested redo yet being soon deteriorated instead aunt amount prefer join seen throughout increasing warrant isnt merge layoff caused living flat adding years opening platforms quality households switching long benefits left date cost direction declined doesnt days think death decisions their delivering they disgusts disgusting activities acct day disappointed differences thing through daughter damn adicional told today courtesy year covid yearly additional credit creep tired tipped currently addition times customers added cutting done thats thank thanks far expected support expensive extortion extra face about fair family fan fault tooo success feel fees subscribers subscriber fiance finally financial sub stupid everything every euro especially down drain drastically account drive acceptance terrible each earlier easily edge el eliminating else temporary absurd taste talk enough entertaining system yall continue continues any who bill annually billings bills wants blindly wanted willing an boyfriend waiting amounts vs without wont buggin work virtue value vaccine while biden uses whats well aren automatically were way bank barely waste became because becoming been was begin anyways benefit better between bf biannually biased ut users went choice understand climb climbing college combine would unable coming company compared competitive wouldn compromised ya connected twice tracking constant town continously continually choose unemployed workable worth upward allowed cannot upping card up cared caring allow all alarming cell until unneeded unnecessary changing unfortunately charged charges charging fix cheaper por fixed recession residence reside moment replace monthly renewing remarried reflect reducing reduce multiple recent respect reason really newest news reality nice no non nonesence nonsense rather mind members limiting loyalty run rules rule rotating lol longer looking risen ripped lost lower made member make retired making manservices resume market resubscribe maybe restriction means medical nothing notified rates pick profits past profit profiles pricing president people prescription person personal phone preemptively rate play playing please pleased pls point power policies political politically pop parents parent pagos owning raising raises offered offset often ok raise quickly oneday putting put opportunity option options or original pushed others our outside over overpriced provider little limited focused happy grandkids great spending greedy guys hacked hackednot hacking had half hand span gotten hardly sorry havent son he health help something someone higher hike gouging spouse limit garbage food stranger forcing stopping forth free frequent stopped stepdad future games stealing spouses stay states popular girl starting given
  6%|▋         | 3/48 [04:41<1:11:38, 95.51s/it]
Topic 3 | Coherence=-267757.17 | Top words= you the extra with subscription my price of and share charging to greedy family money about subscriptions hikes that increase many your when bill using don has like me because also over for not way in paying outside keep sharing few fan past charge years out want news an power limit idea is states pay company youre no disgusting too it only have taste are extortion hike if being its cant increases different longer already prices newest now enough good this change up what months at one means wouldn value understand hiking issues leave were cared begin moving moved stay need grandkids can without im cost ll increasing won us re high away afford acceptance reality lack he profiles bf bye continues passed future someone more so support canceling much account new limited parents will who worth right expected husband upping off keeps tired waste really users by was talk financial time get multiple cannot had used rise opportunity rate stopping member going agree between pushed laid continually edge she sight lol sick card work rather daughter little point learning while delivering every would phone games jacking households allow days absurd hosehold country residence town expenses frequent same subscriber boyfriend son subscribers offered amounts stranger house mom huge play playing declined preemptively unemployed reducing currently series before coming popular ridiculous spend moment caring next end added combine quickly personal disappointed risen ripped justify disgusts business drastically sub our hacking parent owning owner free having raises stopped taking billings spouse remarried unable any tooo waiting reside greed until biased changed person buggin broke situation some temporary set summer death history holder covid politically day forth span throughout billing got come adding these gone merge willing fair payment back acct forever fiance happy bank benefits been forcing from awhile activities automatically fuel hard finally fixed benefit barely be financially access became food accounts becoming focused first fix flat hardly addresses garbage aunt guys hand great addition amercian am additional almost allowed all as hacked alarming hackednot half againlater again after adicional gouging gotten amount gonna aren addtional gas apps getting aparently anyways gf girl give given anymore feet anticonsumer another goes annually go dad fees college consider connected compromised competitive divorce compared combining do doesnt done duplicate dont double climbing down drain climb city drive choose consolidating constant constantly continously cutting date cut customers deal customer decisions current currency creep credit deteriorated didnt differences costs direction continuous continue discontinue due each feel expensive entertainment especially euro both even blindly bit everything bills biggest earlier biden damn face fact biannually better far fault fee break budget entertaining but easily choice checking cheaper charges charged el eliminating changing else elsewhere email changes emails cell caused care cancelling cancel courtesy loyal havent shouldn secure see seems seen selection sense service services servicio settled several shady short should shoves scaling sign signaling significant since single something soon sorry spending spouses squeeze start started starting second scales health repurposing rates reactivate reason recent recently recession rectifying redo reduce reflect rejoin renewing rent replace respect saving restart restrict restriction resubscribe resume retired retiring return rising rotating rule rules run save stealing stepdad stop week unneeded upcoming upward use uses ut vaccine virtue vs wait wanted wants warrant we weeks stupid well went whats where why wife wont workable ya yall year yearly yet youll unnecessary unfortunately unfair under success switching system take temporarily terrible than thank thanks thats their there they thing things think through tight tightening times tipped today told tracking tried try trying twice two raising raised raise looking layoff left legacy less lesser let letting life limiting live living location locations long loose members losing lost lower loyalty luck made make makes making manservices market married may maybe later last kids kidding help her higher horrible household how hungry ill improvements income increased increasses increments inflation instead interested into intolerable iny isn isnt issue itself job join joint just keeping kept medical membership quality policies own pagos payday
Average topic coherence for the top words is -268523.7617861623
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.62it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.66it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.60it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.67it/s]
 10%|█         | 5/50 [00:00<00:07,  5.68it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.64it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.65it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.64it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.61it/s]
 20%|██        | 10/50 [00:01<00:07,  5.63it/s]
 22%|██▏       | 11/50 [00:01<00:06,  5.69it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.68it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.66it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.69it/s]
 30%|███       | 15/50 [00:02<00:06,  5.69it/s]
 32%|███▏      | 16/50 [00:02<00:05,  5.70it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.70it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.66it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.68it/s]
 40%|████      | 20/50 [00:03<00:05,  5.66it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.69it/s]
 44%|████▍     | 22/50 [00:03<00:04,  5.72it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.69it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.66it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.66it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.63it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.63it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  5.68it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.66it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.65it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.64it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.65it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.66it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.71it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.67it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.66it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.66it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.62it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  5.61it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.63it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.63it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.63it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.62it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.66it/s]
 90%|█████████ | 45/50 [00:07<00:00,  5.71it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.68it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.66it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.67it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.65it/s]
100%|██████████| 50/50 [00:08<00:00,  5.66it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:06,  7.25it/s]
  4%|▍         | 2/50 [00:00<00:06,  7.10it/s]
  6%|▌         | 3/50 [00:00<00:06,  7.05it/s]
  8%|▊         | 4/50 [00:00<00:06,  7.03it/s]
 10%|█         | 5/50 [00:00<00:06,  6.98it/s]
 12%|█▏        | 6/50 [00:00<00:06,  7.02it/s]
 14%|█▍        | 7/50 [00:00<00:06,  7.06it/s]
 16%|█▌        | 8/50 [00:01<00:05,  7.07it/s]
 18%|█▊        | 9/50 [00:01<00:05,  7.04it/s]
 20%|██        | 10/50 [00:01<00:05,  7.06it/s]
 22%|██▏       | 11/50 [00:01<00:05,  7.04it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.98it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.90it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.92it/s]
 30%|███       | 15/50 [00:02<00:05,  7.00it/s]
 32%|███▏      | 16/50 [00:02<00:04,  7.00it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.99it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.99it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.99it/s]
 40%|████      | 20/50 [00:02<00:04,  7.02it/s]
 42%|████▏     | 21/50 [00:02<00:04,  7.03it/s]
 44%|████▍     | 22/50 [00:03<00:03,  7.00it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.96it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.95it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.96it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.96it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  7.01it/s]
 56%|█████▌    | 28/50 [00:03<00:03,  7.06it/s]
 58%|█████▊    | 29/50 [00:04<00:02,  7.10it/s]
 60%|██████    | 30/50 [00:04<00:02,  7.07it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  7.04it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  7.03it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  7.02it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  7.04it/s]
 70%|███████   | 35/50 [00:04<00:02,  7.10it/s]
 72%|███████▏  | 36/50 [00:05<00:01,  7.13it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  7.09it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  7.06it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.99it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.95it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  6.99it/s]
 84%|████████▍ | 42/50 [00:05<00:01,  7.02it/s]
 86%|████████▌ | 43/50 [00:06<00:00,  7.06it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  7.02it/s]
 90%|█████████ | 45/50 [00:06<00:00,  7.01it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.99it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.96it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  7.00it/s]
 98%|█████████▊| 49/50 [00:06<00:00,  7.04it/s]
100%|██████████| 50/50 [00:07<00:00,  7.02it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.75it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.72it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.76it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.76it/s]
 10%|█         | 5/50 [00:01<00:12,  3.73it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.71it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.73it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.72it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.71it/s]
 20%|██        | 10/50 [00:02<00:10,  3.71it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.77it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.78it/s]
 26%|██▌       | 13/50 [00:03<00:09,  3.79it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.78it/s]
 30%|███       | 15/50 [00:03<00:09,  3.80it/s]
 32%|███▏      | 16/50 [00:04<00:08,  3.78it/s]
 34%|███▍      | 17/50 [00:04<00:08,  3.77it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.76it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.79it/s]
 40%|████      | 20/50 [00:05<00:07,  3.78it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.77it/s]
 44%|████▍     | 22/50 [00:05<00:07,  3.77it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.78it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.70it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.69it/s]
 52%|█████▏    | 26/50 [00:06<00:06,  3.73it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.75it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.75it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.75it/s]
 60%|██████    | 30/50 [00:07<00:05,  3.77it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.77it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.77it/s]
 66%|██████▌   | 33/50 [00:08<00:04,  3.76it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.78it/s]
 70%|███████   | 35/50 [00:09<00:03,  3.78it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.78it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.80it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.80it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.78it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.78it/s]
 82%|████████▏ | 41/50 [00:10<00:02,  3.79it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.82it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.79it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.75it/s]
 90%|█████████ | 45/50 [00:11<00:01,  3.77it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.75it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.76it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  3.75it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.77it/s]
100%|██████████| 50/50 [00:13<00:00,  3.76it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.86it/s]
  4%|▍         | 2/50 [00:00<00:16,  2.90it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.89it/s]
  8%|▊         | 4/50 [00:01<00:15,  2.89it/s]
 10%|█         | 5/50 [00:01<00:15,  2.91it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.90it/s]
 14%|█▍        | 7/50 [00:02<00:14,  2.90it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.91it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.90it/s]
 20%|██        | 10/50 [00:03<00:13,  2.88it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.88it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.88it/s]
 26%|██▌       | 13/50 [00:04<00:12,  2.89it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.92it/s]
 30%|███       | 15/50 [00:05<00:12,  2.91it/s]
 32%|███▏      | 16/50 [00:05<00:11,  2.91it/s]
 34%|███▍      | 17/50 [00:05<00:11,  2.91it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.90it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.90it/s]
 40%|████      | 20/50 [00:06<00:10,  2.92it/s]
 42%|████▏     | 21/50 [00:07<00:09,  2.90it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.92it/s]
 46%|████▌     | 23/50 [00:07<00:09,  2.92it/s]
 48%|████▊     | 24/50 [00:08<00:08,  2.91it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.90it/s]
 52%|█████▏    | 26/50 [00:08<00:08,  2.88it/s]
 54%|█████▍    | 27/50 [00:09<00:07,  2.89it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.90it/s]
 58%|█████▊    | 29/50 [00:09<00:07,  2.90it/s]
 60%|██████    | 30/50 [00:10<00:06,  2.90it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.90it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.88it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  2.87it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  2.86it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.86it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.87it/s]
 74%|███████▍  | 37/50 [00:12<00:04,  2.86it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.86it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.86it/s]
 80%|████████  | 40/50 [00:13<00:03,  2.85it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.84it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.84it/s]
 86%|████████▌ | 43/50 [00:14<00:02,  2.85it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.85it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.84it/s]
 92%|█████████▏| 46/50 [00:15<00:01,  2.86it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.86it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.87it/s]
 98%|█████████▊| 49/50 [00:16<00:00,  2.90it/s]
100%|██████████| 50/50 [00:17<00:00,  2.88it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:25,  1.93it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.91it/s]
  6%|▌         | 3/50 [00:01<00:24,  1.91it/s]
  8%|▊         | 4/50 [00:02<00:24,  1.91it/s]
 10%|█         | 5/50 [00:02<00:23,  1.92it/s]
 12%|█▏        | 6/50 [00:03<00:22,  1.92it/s]
 14%|█▍        | 7/50 [00:03<00:22,  1.92it/s]
 16%|█▌        | 8/50 [00:04<00:21,  1.92it/s]
 18%|█▊        | 9/50 [00:04<00:21,  1.92it/s]
 20%|██        | 10/50 [00:05<00:20,  1.91it/s]
 22%|██▏       | 11/50 [00:05<00:20,  1.91it/s]
 24%|██▍       | 12/50 [00:06<00:19,  1.91it/s]
 26%|██▌       | 13/50 [00:06<00:19,  1.90it/s]
 28%|██▊       | 14/50 [00:07<00:18,  1.90it/s]
 30%|███       | 15/50 [00:07<00:18,  1.90it/s]
 32%|███▏      | 16/50 [00:08<00:17,  1.90it/s]
 34%|███▍      | 17/50 [00:08<00:17,  1.90it/s]
 36%|███▌      | 18/50 [00:09<00:16,  1.91it/s]
 38%|███▊      | 19/50 [00:09<00:16,  1.91it/s]
 40%|████      | 20/50 [00:10<00:15,  1.92it/s]
 42%|████▏     | 21/50 [00:10<00:15,  1.92it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.93it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.92it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.92it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.91it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.92it/s]
 54%|█████▍    | 27/50 [00:14<00:11,  1.92it/s]
 56%|█████▌    | 28/50 [00:14<00:11,  1.92it/s]
 58%|█████▊    | 29/50 [00:15<00:10,  1.91it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.91it/s]
 62%|██████▏   | 31/50 [00:16<00:09,  1.91it/s]
 64%|██████▍   | 32/50 [00:16<00:09,  1.91it/s]
 66%|██████▌   | 33/50 [00:17<00:08,  1.91it/s]
 68%|██████▊   | 34/50 [00:17<00:08,  1.91it/s]
 70%|███████   | 35/50 [00:18<00:07,  1.91it/s]
 72%|███████▏  | 36/50 [00:18<00:07,  1.91it/s]
 74%|███████▍  | 37/50 [00:19<00:06,  1.91it/s]
 76%|███████▌  | 38/50 [00:19<00:06,  1.91it/s]
 78%|███████▊  | 39/50 [00:20<00:05,  1.92it/s]
 80%|████████  | 40/50 [00:20<00:05,  1.90it/s]
 82%|████████▏ | 41/50 [00:21<00:04,  1.91it/s]
 84%|████████▍ | 42/50 [00:21<00:04,  1.91it/s]
 86%|████████▌ | 43/50 [00:22<00:03,  1.91it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.91it/s]
 90%|█████████ | 45/50 [00:23<00:02,  1.92it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.91it/s]
 94%|█████████▍| 47/50 [00:24<00:01,  1.91it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.90it/s]
 98%|█████████▊| 49/50 [00:25<00:00,  1.91it/s]
100%|██████████| 50/50 [00:26<00:00,  1.91it/s]

100%|██████████| 50/50 [00:00<00:00, 1562.57it/s]
Topic 0 | Coherence=-267763.06 | Top words= the you price to for extra your not it charging of many are that out share hikes subscriptions greedy me now because also money raising pay increase only if this way people my charge other worth with youre better few prices over just past keep fan years reason gonna kept using im afford can services was enough cheaper cant so too anymore fact is time months sharing want used again in raised good bye new hike dont cancel consider no paying shady increasing last tried will offer almost email use by willing at currently newest as forever issue rectifying they but moved makes reactivate give once something company from grandkids stay guys never come longer right stop without high back don support first start care take value need before lost options hand cost got fault access be greed caused see am thanks getting lack house do things inflation job continually limiting great household month justify an think biden president what selection thank significant far one while tired costs delivering little she point work rising two college absurd gotten any subscribers let family town playing budget games didnt opened outside play daughter warrant coming tracking tight happy spending customers moment uses weeks disgusts rise ya summer anyways several girl discontinue duplicate apps restart under mistake policies single their our pleased higher interested multiple expenses living upping caring sign needed ut recession often unnecessary hungry cannot squeeze temporary cutting won original phone kids stupid hard married owner climbing direction decisions death expensive changes holder accounts financial finally alarming fiance hosehold agree horrible about againlater fees history hiking fee after her acceptance feet account feel financially health help given activities hardly garbage gas get gouging gf half go fix added goes had hacking gone additional addition hackednot has future fuel have fixed flat focused food adicional addtional forcing hacked adding he addresses having forth free acct frequent havent going became fair country card aunt cared cell change changed changing charged charges aren checking choice choose city climb combine combining compared competitive compromised connected consolidating constant constantly continously continue continues automatically cancelling canceling bill barely becoming been begin being benefit benefits between bf biannually biased biggest billing away billings bills bit blindly both boyfriend break broke buggin business bank awhile continuous courtesy all covid annually earlier and easily edge el eliminating else elsewhere amounts amount emails amercian end entertaining entertainment especially euro even every everything expected already extortion allowed allow face each another drive deal credit aparently creep currency current customer cut dad damn date day days declined drastically anticonsumer deteriorated differences different disappointed disgusting divorce doesnt done double down drain due loyal households servicio shoves shouldn should short settled set service sight series sense seen seems secure second sick signaling scales spend stealing states starting started spouses spouse span since sorry soon son someone some situation scaling saving rather reflect repurposing replace rent renewing remarried rejoin reducing residence reduce redo recently recent really reality reside respect save ripped same run rules rule rotating risen ridiculous restrict return retiring retired resume resubscribe restriction stepdad stopped stopping wait week we waste wants wanted waiting vs went virtue vaccine users us upward upcoming well were stranger would youll yet yearly year yall wouldn workable whats wont wife why who where when up until unneeded talk there thats than terrible temporarily taste taking unfortunately system switching success subscription subscriber sub these thing through throughout tightening times tipped today told tooo try trying twice unable understand unemployed unfair re rates how lol loyalty lower losing loose looking long locations made location ll live limited limit like luck make letting members mom mind might merge memberships membership member making medical means maybe may market manservices life lesser rate increases iny intolerable into instead increments increasses increased isnt income improvements ill idea husband huge isn issues less laid legacy left leave learning layoff later kidding its keeps keeping joint join jacking itself monetary monthly more poland por popular pop politically political policy pls
Topic 1 | Coherence=-259989.28 | Top words= and is price your you subscription it not the my good to too charge in after was has when increase year prices for no why re just me many daughter have are do that increases sign ut anyways uses but so worth access pay college canceling am ill she now thank or bye keep increments luck checking going seems raising be will much other like greedy where company additional starting biannually entertaining profit greed we with far profiles options card hike consider increasing an bill charged last since because who up compromised without really months bank allowed wanted credit option told automatically charging member same services every gone rates selection this using of span higher deteriorated thing drastically nothing than business budget others needed their added ok how times forth tracking what being about gotten dont cheaper over longer at put declined someone want cant subscriber kidding guys profits oneday think return should earlier sorry getting half value edge policy used pushed tightening went againlater need ridiculous moved husband changes jacking son elsewhere became already days residence happy frequent hacked popular euro poland notified increased agree taking today spending by stranger amercian series broke forcing annually started often gouging can stopping live currency living few willing take isn covid end afford biased another one politically break yearly prefer flat death holder account fact fair duplicate hand twice free try two household feel huge fees horrible income fiance feet house hosehold improvements im if idea households family fan hungry fee fault goes fix history forever from fuel future games garbage gas get hacking hackednot great gf grandkids girl give given got gonna extra had finally food financial hiking financially first hikes high her go help health fixed he having havent hardly hard focused face youre extortion boyfriend begin benefit benefits better between bf biden biggest billing billings bills bit blindly both buggin expensive cancel cancelling cannot care cared caring caused cell change changed changing charges choice choose before been becoming barely absurd acceptance accounts acct activities adding addition addresses addtional adicional again alarming all allow almost also amount amounts anticonsumer any anymore aparently apps aren as aunt away awhile back city climb climbing didnt different direction disappointed discontinue disgusting disgusts divorce doesnt don done double down drain drive due each easily el eliminating else email emails enough entertainment especially even everything expected expenses differences delivering combine decisions combining come coming compared competitive connected consolidating constant constantly continously continually continue continues continuous cost costs country courtesy creep current currently customer customers cutting dad damn date day deal cut loyal increasses sick shouldn short sharing share shady several settled set servicio service sense seen see secure second shoves sight reactivate signaling stepdad stealing stay states start squeeze spouses spouse spend soon something some situation single significant scaling scales saving save repurposing replace rent renewing remarried rejoin reflect reducing reduce redo rectifying recession recently recent reason reside respect restart rise run rules rule rotating rising risen ripped restrict right retiring retired resume resubscribe restriction stop stopped stupid unneeded way waste warrant wants waiting wait vs virtue vaccine users use us upward upping upcoming week weeks well would youll yet years yall ya wouldn workable were work wont won wife while whats until unnecessary sub unfortunately there thats thanks terrible temporary temporarily taste talk system switching support summer success subscriptions subscribers these they things tried unfair unemployed understand under unable trying town through tooo tired tipped time tight throughout reality rather inflation may market manservices making makes make made loyalty lower lost losing loose looking long lol locations married maybe rate means more monthly month money monetary moment mom mistake mind might merge memberships membership members medical location ll little limiting keeping justify joint join job itself its issues issue isnt iny intolerable into interested instead keeps kept kids less limited limit life letting let lesser legacy lack left leave learning layoff later laid move moving multiple payment point pls pleased please playing play platforms platform places piracy
Topic 2 | Coherence=-267704.39 | Top words= and to price the my you will of subscription increases in is be prices different have money keep with raising more change on use back need we greedy me sharing customer ridiculous that subscriptions two are fee anymore upcoming where want us up pay don this ll can your service charges saving new got terrible customers stop when locations anticonsumer married enough just pricing live as being about increase services continues many do addition garbage country made not into deal understand were means benefit continuous climb leave begin wouldn problem even cared hiking fees share from moved other using greed constant cancel re go won no putting since choose what rate at getting husband another been or billing if too reality activities acceptance moving high care time better mom location loose because going every between letting membership places paying done restrict again spend rules only people lack quality already currency own waste unable date after addresses years less able both memberships addtional consolidating year yall youll changed off current havent stealing damn kids break added resume creep bit start expensive help taking laid all why im out opportunity these put blindly some fiance ill divorce there tired payday constantly changing success wife would much her improvements differences should dad learning without rather twice boyfriend for one continously restriction it short amount spending same combining next accounts cost double due emails fuel loyal stopping recently thats reflect any wants aren piracy entertainment payment bank focused broke ontario repurposing please cutting joint raises week has may support sight throughout history gf later soon merge buggin households come monthly spouses feet horrible mistake rise get manservices raised opening fault isn caring opened mind way finally profiles provider left sick thing hikes declined taste direction deteriorated delivering disappointed discontinue disgusting temporarily didnt profits decisions death continually continue tight through costs think courtesy covid credit things they currently their cut thanks thank than daughter day days temporary disgusts each talk far everything expected expenses stranger extortion extra face fact fair family fan feel take stopped few stepdad financial financially first fix fixed flat food stay stupid sub euro especially doesnt system switching dont down drain drastically drive summer duplicate times earlier easily edge el eliminating else elsewhere email subscribers end subscriber entertaining tightening city tipped automatically well amounts an weeks annually was anyways aparently apps warrant wanted aunt away today awhile waiting barely wait became vs becoming virtue before value vaccine ut amercian am also went yet absurd yearly access account ya acct worth workable adding work additional wont willing adicional afford who while againlater agree alarming whats allow allowed almost benefits uses users caused trying try changes tried charge charged tracking charging cheaper checking choice town forever tooo climbing college combine told coming company compared competitive compromised connected consider cell under bf unemployed biannually biased biden biggest bill used billings bills upward upping until unneeded unnecessary budget business but by bye unfortunately unfair canceling cancelling cannot cant card forcing spouse forth move respect residence multiple must reside needed never replace newest news rent nice renewing non nonesence nonsense remarried nothing notified now rejoin offer offered offset often restart resubscribe free months lost lower rule loyalty luck rotating make makes making rising market risen maybe ripped medical member members right return might retiring moment monetary retired month ok reducing once reduce pick platform platforms play playing pleased pls point poland policies policy political politically pop popular por possible power preemptively prefer prescription president raise quickly pushed phone personal person over oneday redo rectifying option options recession original others our recent outside overpriced per reason owner owning pagos parent parents passed past really reactivate rates losing run looking shoves hand happy hard hardly son something having he health someone so situation higher hike single holder hosehold house household how huge hungry significant idea signaling half had hacking goes frequent states starting future games started gas squeeze girl give given profit hackednot gone gonna good span gotten gouging grandkids great
Topic 3 | Coherence=-261136.28 | Top words= for to and prices too is it the price expensive will going keep you have much back now increasing be long this me up time money not just need worth your subscriber like no keeps service other many raised only at cut rates more we make as with customer months month feel loyalty alarming there new high don life dont on of are trying added save lost ill face especially nice shoves pop keeping choice iny am way try use cost charges due cancel forcing come expenses currently benefits upward nonsense has unfortunately end few break subscriptions changing services continues been subscription fees business job so continue my losing year amount once payment rate possible times move making anymore sense well budget doesnt taking resubscribe later decisions rising else yet go rise away income that was tight passed bills stupid guys fixed but down almost users account never renewing before costs while when get constantly increased squeeze everything system elsewhere workable had adding quality hardly raise some having take vs lol off right better each upping offset gas increasses addition rules second per given she rent out divorce being reduce hike cannot spending through rule isnt even entertainment mom offered courtesy reducing membership multiple maybe summer went becoming sick fuel temporarily thank financially started wife drain damn pay itself preemptively options barely really huge left next amounts its wait rotating activities quickly ripped people something support sight by mind hard canceling awhile retired non these risen thanks looking must might yall terrible monetary owning parent platform vaccine stopped whats rejoin return biggest billings retiring cancelling nonesence longer fee waiting health secure scaling lower overpriced set until pricing unneeded nothing prescription moving hackednot inflation medical eliminating easily join stop food redo tooo day pls wont feet monthly layoff climbing hikes household platforms prefer deal future shady paying using into two gouging forever gone flat gonna good fiance focused every frequent gotten free got extortion euro expected finally forth garbage far fault emails games gf girl fair first fact fix enough family give fan extra entertaining financial email from goes getting youre el edge aunt automatically bank became because begin benefit between bf biannually biased biden bill billing bit blindly both boyfriend broke buggin bye can cant card care cared caring aren apps aparently again about absurd acceptance access accounts acct additional addresses addtional adicional afford after againlater anyways agree all allow allowed already also amercian an annually another anticonsumer any caused cell change differences current customers cutting dad date daughter days death declined delivering deteriorated didnt different creep direction disappointed discontinue disgusting disgusts do done double drastically drive duplicate earlier currency credit changed coming changes charge charged charging cheaper checking choose city climb college combine combining company covid compared competitive compromised connected consider consolidating constant continously continually great continuous country grandkids loyal greed since selection series servicio settled several share sharing short should shouldn sign signaling significant single seems situation someone son soon sorry span spend spouse spouses start starting states stay seen see provider reflect put putting raises raising rather re reactivate reality reason recent recently recession rectifying remarried scales replace repurposing reside residence respect restart restrict restriction resume ridiculous run same saving stealing stepdad stopping were us used uses ut value virtue want wanted wants warrant waste week weeks what stranger where who why willing without won work would wouldn ya yearly years youll upcoming unnecessary unfair unemployed sub subscribers success switching talk taste temporary than thats their they thing things think throughout tightening tipped tired today told town tracking tried twice unable under understand pushed profits greedy legacy issue issues jacking joint justify kept kidding kids lack laid last learning leave less intolerable lesser let letting limit limited limiting little live living ll location locations loose isn interested profit horrible hacked hacking half hand happy havent he help her higher hiking history holder hosehold instead house households how hungry husband idea if im improvements in increase increases increments luck made makes
  8%|▊         | 4/48 [06:31<1:14:04, 101.02s/it]
Topic 4 | Coherence=-250016.56 | Top words= subscription and my extra with you family about for the increase bill that using like charge to when share don of money paying in outside want news are an states idea limit power its taste disgusting extortion youre sharing have has me one but price company different greedy already pay no so dont kids people re only will subscriptions need hikes service going if expensive moving issues im another more getting cheaper too get through hacked others how bf recent talk anymore limited good he other even profiles city phone prices intolerable unfair parents provider future expected what longer live we won wife newest switching passed bye once fair moved financial down away pick shouldn kept drive scales market tipped goes competitive agree between been am direction finally offer compared support stepdad better selection manservices gonna laid members someone reason owner respect legacy everything run continually allow hosehold life offered than boyfriend some rejoin platform services from settled keeps lesser unemployed they horrible free currently courtesy aparently hard households personal left cant sub having fix disappointed users else connected out combine replace signaling cut remarried servicio hacking por spouse pagos enough virtue political el adicional acct instead date reside payment cell aunt situation seen tried person changed expenses less off amount awhile divorce also reducing isnt adding be unable hardly opened not damn hiking income holder history high face improvements household fees feel fault hike fact higher fan fee far her give help fuel greed forever forth great husband frequent grandkids gouging gotten feet games garbage gas got gone go given gf forcing guys food hackednot few fiance health huge ill havent girl happy hungry financially first hand half fixed had flat focused house declined every biased bit bills billings billing biggest biden biannually became benefits benefit being begin before becoming blindly both break broke budget buggin business by can cancel canceling cancelling cannot card care cared caring because barely change addition again after afford addtional addresses additional added bank activities accounts account access acceptance absurd againlater alarming all allowed almost amercian amounts annually anticonsumer any anyways apps aren as at automatically back caused changes euro didnt done doesnt do disgusts discontinue differences deteriorated daughter delivering increases decisions death deal days double drain drastically due duplicate each earlier easily edge eliminating elsewhere email emails end entertaining entertainment especially day dad changing climbing consider compromised coming come combining college climb cutting choose choice checking charging charges charged consolidating constant constantly continously continue continues continuous cost costs country covid credit creep currency current customer customers increased loyal increasing stay started start squeeze spouses spending spend span sorry soon son something single since significant sign starting stealing thats stop thank terrible temporary temporarily taking take system summer success subscribers subscriber stupid stranger stopping stopped sight sick shoves should rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart residence rotating rule rules sense short she shady several set series seems same see secure second scaling saving save thanks their rent while whats were went well weeks week way waste was warrant wants wanted waiting wait vs where who there why youll yet years yearly year yall ya wouldn would worth workable work wont without willing value vaccine ut uses town tooo told today tired times time tightening tight throughout this think things thing these tracking try trying up used use us upward upping upcoming until twice unneeded unnecessary unfortunately understand under two repurposing renewing increasses member means maybe may married many making makes make made luck loyalty your lower lost losing medical membership new memberships needed must multiple much move months monthly month monetary moment mom mistake mind might merge loose looking long lol just joint join job jacking itself it issue isn is iny into interested inflation increments justify keep keeping letting locations location ll living little limiting let kidding leave learning layoff later last lack never next reflect putting pushed profits profit problem pricing president prescription prefer preemptively possible popular
Average topic coherence for the top words is -261321.91342994818
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.65it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.63it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.57it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.19it/s]
 10%|█         | 5/50 [00:00<00:08,  5.19it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.19it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.20it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.02it/s]
 18%|█▊        | 9/50 [00:01<00:08,  4.69it/s]
 20%|██        | 10/50 [00:02<00:09,  4.41it/s]
 22%|██▏       | 11/50 [00:02<00:08,  4.35it/s]
 24%|██▍       | 12/50 [00:02<00:08,  4.64it/s]
 26%|██▌       | 13/50 [00:02<00:07,  4.80it/s]
 28%|██▊       | 14/50 [00:02<00:07,  4.84it/s]
 30%|███       | 15/50 [00:03<00:07,  4.66it/s]
 32%|███▏      | 16/50 [00:03<00:07,  4.72it/s]
 34%|███▍      | 17/50 [00:03<00:06,  4.83it/s]
 36%|███▌      | 18/50 [00:03<00:06,  4.90it/s]
 38%|███▊      | 19/50 [00:03<00:06,  4.97it/s]
 40%|████      | 20/50 [00:04<00:06,  4.93it/s]
 42%|████▏     | 21/50 [00:04<00:05,  4.84it/s]
 44%|████▍     | 22/50 [00:04<00:06,  4.60it/s]
 46%|████▌     | 23/50 [00:04<00:06,  4.19it/s]
 48%|████▊     | 24/50 [00:05<00:05,  4.39it/s]
 50%|█████     | 25/50 [00:05<00:07,  3.21it/s]
 52%|█████▏    | 26/50 [00:06<00:08,  2.81it/s]
 54%|█████▍    | 27/50 [00:06<00:09,  2.48it/s]
 56%|█████▌    | 28/50 [00:06<00:08,  2.50it/s]
 58%|█████▊    | 29/50 [00:07<00:08,  2.48it/s]
 60%|██████    | 30/50 [00:07<00:08,  2.47it/s]
 62%|██████▏   | 31/50 [00:08<00:07,  2.49it/s]
 64%|██████▍   | 32/50 [00:08<00:07,  2.52it/s]
 66%|██████▌   | 33/50 [00:08<00:06,  2.61it/s]
 68%|██████▊   | 34/50 [00:09<00:05,  2.80it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.08it/s]
 72%|███████▏  | 36/50 [00:09<00:04,  3.28it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.40it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.47it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.54it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.73it/s]
 82%|████████▏ | 41/50 [00:10<00:02,  3.90it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.70it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.68it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.78it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.72it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.82it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  4.01it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  4.11it/s]
 98%|█████████▊| 49/50 [00:12<00:00,  4.34it/s]
100%|██████████| 50/50 [00:13<00:00,  3.80it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.37it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.03it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.85it/s]
  8%|▊         | 4/50 [00:00<00:07,  5.96it/s]
 10%|█         | 5/50 [00:00<00:07,  6.16it/s]
 12%|█▏        | 6/50 [00:00<00:07,  6.05it/s]
 14%|█▍        | 7/50 [00:01<00:07,  6.05it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.20it/s]
 18%|█▊        | 9/50 [00:01<00:06,  5.89it/s]
 20%|██        | 10/50 [00:01<00:06,  6.09it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.21it/s]
 24%|██▍       | 12/50 [00:01<00:06,  6.08it/s]
 26%|██▌       | 13/50 [00:02<00:06,  6.09it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.95it/s]
 30%|███       | 15/50 [00:02<00:05,  5.83it/s]
 32%|███▏      | 16/50 [00:02<00:05,  5.82it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.03it/s]
 36%|███▌      | 18/50 [00:02<00:05,  6.00it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.85it/s]
 40%|████      | 20/50 [00:03<00:05,  5.63it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.43it/s]
 44%|████▍     | 22/50 [00:03<00:05,  5.55it/s]
 46%|████▌     | 23/50 [00:03<00:04,  5.79it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.95it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.93it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.44it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.48it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  5.68it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  5.67it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.53it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.55it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.39it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.48it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  5.45it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.65it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.68it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.55it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.38it/s]
 78%|███████▊  | 39/50 [00:06<00:02,  5.34it/s]
 80%|████████  | 40/50 [00:06<00:01,  5.52it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.41it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.32it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.08it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.04it/s]
 90%|█████████ | 45/50 [00:07<00:00,  5.07it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  4.82it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  4.74it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  4.80it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  4.90it/s]
100%|██████████| 50/50 [00:08<00:00,  5.56it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:21,  2.28it/s]
  4%|▍         | 2/50 [00:00<00:19,  2.51it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.73it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.77it/s]
 10%|█         | 5/50 [00:01<00:15,  2.82it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.92it/s]
 14%|█▍        | 7/50 [00:02<00:14,  2.98it/s]
 16%|█▌        | 8/50 [00:02<00:13,  3.03it/s]
 18%|█▊        | 9/50 [00:03<00:13,  3.12it/s]
 20%|██        | 10/50 [00:03<00:13,  2.93it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.88it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.88it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.80it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.78it/s]
 30%|███       | 15/50 [00:05<00:12,  2.72it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.64it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.55it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.58it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.68it/s]
 40%|████      | 20/50 [00:07<00:11,  2.62it/s]
 42%|████▏     | 21/50 [00:07<00:11,  2.53it/s]
 44%|████▍     | 22/50 [00:08<00:11,  2.52it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.66it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.85it/s]
 50%|█████     | 25/50 [00:08<00:08,  3.03it/s]
 52%|█████▏    | 26/50 [00:09<00:07,  3.03it/s]
 54%|█████▍    | 27/50 [00:09<00:07,  3.08it/s]
 56%|█████▌    | 28/50 [00:09<00:06,  3.20it/s]
 58%|█████▊    | 29/50 [00:10<00:06,  3.31it/s]
 60%|██████    | 30/50 [00:10<00:05,  3.40it/s]
 62%|██████▏   | 31/50 [00:10<00:05,  3.44it/s]
 64%|██████▍   | 32/50 [00:11<00:05,  3.50it/s]
 66%|██████▌   | 33/50 [00:11<00:04,  3.53it/s]
 68%|██████▊   | 34/50 [00:11<00:04,  3.56it/s]
 70%|███████   | 35/50 [00:11<00:04,  3.60it/s]
 72%|███████▏  | 36/50 [00:12<00:03,  3.61it/s]
 74%|███████▍  | 37/50 [00:12<00:03,  3.62it/s]
 76%|███████▌  | 38/50 [00:12<00:03,  3.62it/s]
 78%|███████▊  | 39/50 [00:12<00:03,  3.64it/s]
 80%|████████  | 40/50 [00:13<00:02,  3.64it/s]
 82%|████████▏ | 41/50 [00:13<00:02,  3.64it/s]
 84%|████████▍ | 42/50 [00:13<00:02,  3.61it/s]
 86%|████████▌ | 43/50 [00:14<00:01,  3.62it/s]
 88%|████████▊ | 44/50 [00:14<00:01,  3.60it/s]
 90%|█████████ | 45/50 [00:14<00:01,  3.50it/s]
 92%|█████████▏| 46/50 [00:14<00:01,  3.50it/s]
 94%|█████████▍| 47/50 [00:15<00:00,  3.50it/s]
 96%|█████████▌| 48/50 [00:15<00:00,  3.48it/s]
 98%|█████████▊| 49/50 [00:15<00:00,  3.52it/s]
100%|██████████| 50/50 [00:16<00:00,  3.11it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.75it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.75it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.76it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.78it/s]
 10%|█         | 5/50 [00:01<00:16,  2.78it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.78it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.79it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.79it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.78it/s]
 20%|██        | 10/50 [00:03<00:14,  2.78it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.79it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.78it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.78it/s]
 28%|██▊       | 14/50 [00:05<00:12,  2.77it/s]
 30%|███       | 15/50 [00:05<00:12,  2.76it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.74it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.73it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.74it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.73it/s]
 40%|████      | 20/50 [00:07<00:11,  2.72it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.73it/s]
 44%|████▍     | 22/50 [00:07<00:10,  2.75it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.75it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.76it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.76it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.76it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.76it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.76it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.75it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.76it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.76it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.75it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.77it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.76it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.76it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.76it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.75it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.75it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.73it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.73it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.75it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.74it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.74it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.74it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.69it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.70it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.71it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.71it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.73it/s]
100%|██████████| 50/50 [00:18<00:00,  2.75it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.82it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.82it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.81it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.80it/s]
 10%|█         | 5/50 [00:02<00:24,  1.81it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.79it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.79it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.79it/s]
 18%|█▊        | 9/50 [00:05<00:22,  1.80it/s]
 20%|██        | 10/50 [00:05<00:22,  1.80it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.81it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.81it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.80it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.80it/s]
 30%|███       | 15/50 [00:08<00:19,  1.80it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.81it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.81it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.82it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.82it/s]
 40%|████      | 20/50 [00:11<00:16,  1.82it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.83it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.83it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.83it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.84it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.83it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.83it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.84it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.83it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.83it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.83it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.83it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.84it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.82it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.81it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.81it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.81it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.81it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.81it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.82it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.83it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.83it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.82it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.82it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.81it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.80it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.81it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.81it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.82it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.82it/s]
100%|██████████| 50/50 [00:27<00:00,  1.82it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.52it/s]
Topic 0 | Coherence=-253055.38 | Top words= and too is subscription you my your going price for it me good now in re charge many the expensive am to will worth thank be access ut uses college sign anyways greed she new bye has much daughter why extra when no luck increments checking not keep with canceling where up prices was increase we more married an already how charges getting husband keeps got kids moving hacked don unfortunately upward have increasing people sharing life tracking their subscriptions that cost everything added loose two he bf need city intolerable fee on what they unfair later budget fixed offered using memberships income just should stupid another amount by else used are from while kidding return live times being profits phone value half charged tightening point her little someone delivering againlater rule continually currently wife allow after hikes share maybe way hard recently today own combining stranger notified non retired right risen gone accounts quickly family joint business cancelling fix hacking over about whats taking rejoin consolidating increased started reside easily ontario hackednot even tooo secure temporarily spouses annually acct opened membership see twice lol who euro isnt options duplicate back limit tight mistake location ill feet high fault help feel fees gf few house health having household finally financial financially fiance hosehold far increasses holder history expected expenses hiking extortion face households fact fair hike horrible higher fan havent first hardly gouging gotten frequent if gonna im fuel future games go garbage given gas get give girl free idea improvements grandkids happy hand huge flat had focused food hungry increases guys greedy forcing forever forth great goes youre every both bit bills billings billing bill biggest biden biased biannually between better benefits benefit begin before blindly boyfriend becoming break changed change cell caused caring cared care card cant cannot cancel can but buggin broke been because changing almost all alarming agree again afford adicional addtional addresses additional addition adding activities account acceptance absurd allowed also became amercian barely bank awhile away automatically aunt at as aren apps aparently anymore any anticonsumer amounts changes charging especially double done doesnt do divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated declined decisions dont down deal drain entertainment entertaining enough end emails email elsewhere eliminating el edge earlier each due drive drastically death days cheaper continue constantly constant consider connected compromised competitive compared company coming come combine climbing climb choose choice continously continues day continuous date inflation dad cutting cut customers customer current currency creep credit covid courtesy country costs damn loyal instead so single since significant signaling sight sick shoves shouldn short shady several settled set servicio services situation some series something stop stepdad stealing stay states starting start squeeze spouse spending spend span sorry soon son service sense stopping resubscribe restrict restart respect residence repurposing replace rent renewing remarried reflect reducing reduce redo rectifying recession restriction resume selection retiring seen seems second scaling scales saving save same run rules rotating rising rise ripped ridiculous stopped sub reason well week waste warrant wants wanted want waiting wait vs virtue vaccine users use us upping weeks went until were youll yet years yearly year yall ya wouldn would workable work wont won without willing upcoming unneeded subscriber thing there thats thanks than terrible temporary taste talk take system switching support summer success subscribers these things unnecessary think unemployed understand under unable trying try tried town told tired tipped time throughout through this recent really interested monetary mom mind might merge members member medical means may market manservices making makes make made moment money lower month nothing nonsense nonesence nice next news newest never needed must multiple moved move months monthly loyalty lost off layoff laid lack kept keeping justify join job jacking itself its issues issue isn iny into last learning losing leave looking longer long locations ll living limiting limited like letting let lesser less legacy left of offer reality president prefer preemptively power possible por popular pop politically political policy policies poland
Topic 1 | Coherence=-264966.44 | Top words= it the for to price not you prices is keep anymore no time worth and just this too your service long will afford customer subscriber rates can expensive at increasing use do raised now like increase up enough there only but year as going so alarming feel customers loyalty more paying again lost keeps don many when rate are we cant care of fees others me months garbage with especially choice forcing iny shoves face nice keeping pop good by high been way before start changing make have every pay rules new need life charge benefits seems last nonsense longer continues hike right currently month cancel quality nothing other first thing moved same added than that go who really its higher want never done less even thanks think caused ok take things job am what subscription upping about increased using raising renewing us much hardly see be almost adding vs while rising justify system resume creep services workable times cost better willing increasses offset inflation why president each money canceling switching biden compared isnt got given per rent increases fault horrible summer blindly run on declined legacy members respect often let in value didnt jacking days raise cut becoming constant huge itself warrant should preemptively offer stop coming my play lesser has thats reflect amounts next duplicate please amount opened limiting aren far expenses outside mistake was activities focused bank isn interested dont card stupid cannot household single users climbing later health overpriced prescription any letting options get short cheaper budget squeeze choose fix opportunity another became barely gf getting apps financially aparently aunt gas fixed forever back forth history awhile free frequent from fuel away food future hikes flat games automatically hiking having gotten girl give acceptance had half access her help agree hand happy againlater after adicional hard addtional he addresses additional addition acct accounts account all allow allowed because anyways anticonsumer goes annually gone gonna an havent absurd gouging already grandkids great greed also greedy guys hacked hackednot hacking amercian billing financial deteriorated date daughter charging holder charges day charged deal death decisions delivering differences caring different changes changed direction disappointed discontinue disgusting disgusts change divorce cell damn dad cutting checking company compromised connected consider consolidating constantly continously come continually continue combining continuous combine costs country courtesy college covid credit climb currency current city doesnt cared begin bill boyfriend extra both fact fair family bit bills fan billings competitive biggest double fee biased biannually bf between benefit feet few fiance being finally extortion break expected everything down drain drastically drive due earlier easily edge el eliminating else cancelling elsewhere email emails end bye entertaining entertainment business euro buggin broke youre loyal hosehold significant son something someone some situation since signaling sorry sign sight sick shouldn she sharing soon span house stealing subscribers sub stranger stopping stopped stepdad stay spend states starting started spouses spouse spending share shady several restrict ridiculous return retiring retired resubscribe restriction restart settled residence reside repurposing replace remarried rejoin ripped rise risen rotating rule save saving scales scaling second secure seen selection sense series servicio set subscriptions success support waiting well weeks week waste wants wanted wait until virtue vaccine ut uses used upward went were whats where wife without won wont work would wouldn ya yall yearly years yet youll upcoming unneeded taking these tipped tightening tight throughout through they their unnecessary thank terrible temporary temporarily taste talk tired today told tooo town tracking tried try trying twice two unable under understand unemployed unfair unfortunately reducing reduce redo makes maybe may married market manservices making made location luck lower losing loose looking lol means medical member membership memberships merge might mind mom moment monetary monthly move moving multiple must needed locations ll news im intolerable into instead increments income improvements ill living if idea husband hungry how households issue issues join joint kept kidding kids lack laid layoff learning leave left limit limited little live newest non rectifying popular problem pricing prefer power possible por
Topic 2 | Coherence=-261415.91 | Top words= price the of you and your to not greedy many with charging extra share hikes increase increases is money are my subscriptions keep because for also me way over sharing too few out fan past years has prices raising increasing company in options year other be or after far entertaining biannually terrible it more consider charges much worth pricing addition cant seems saving can ill moved deal subscription currently used need problem continuous enough ridiculous stay grandkids good like we without months lack really have hike gotten bye getting currency willing only want support since talk constant limited hand pay cost different recent tired selection location raised newest changed letting this us profiles issues from high canceling who expected moving using current future happy up acceptance spending great someone something every daughter shouldn reality times manservices already down competitive drive fees market agree country pick oneday earlier made sorry consolidating fiance policy edge changes greed got pushed cheaper paying dad just work went living damn became games at absurd now son playing subscriber subscribers limiting town access customer popular series moment member girl disgusts euro financial deteriorated higher loyal boyfriend ya broke caring drastically waste budget throughout history biggest constantly gouging account raises added do sick original death situation going politically ll pls span amount temporary lower household covid holder wont biased monthly nonesence time service ontario squeeze gone through both begin being aren barely apps frequent forth aparently gonna anyways forever anymore any anticonsumer free go goes before bank back fuel awhile garbage gas away gf becoming automatically give been aunt given as get hacking another annually adicional addtional addresses additional hiking adding horrible hosehold house households how activities huge hungry husband acct idea if accounts im improvements income about afford her help almost an amounts guys hacked hackednot benefit amercian am had half allowed health allow all alarming hard hardly againlater again havent having he forcing continues benefits climb differences city choose choice direction disappointed discontinue disgusting checking charged divorce charge changing change cell doesnt don done dont double drain caused cared didnt delivering food declined continually costs continously courtesy credit creep connected compromised compared customers cut cutting coming come date combining day days combine increased college decisions climbing due duplicate each easily blindly bit fair family bills billings billing fault fee feel bill feet biden finally continue between financially first better fix fixed flat focused fact face break cancelling care card el eliminating else elsewhere email emails end cannot entertainment extortion cancel especially by but business even buggin everything expenses expensive bf youre increasses spend some so single significant signaling sign sight shoves should short she shady several settled set soon spouse take spouses switching summer success sub stupid stranger stopping stopped stop stepdad stealing states starting started start servicio services sense seen retired resume resubscribe restriction restrict restart respect residence reside repurposing replace rent renewing remarried rejoin retiring return right same see secure second scaling scales save run ripped rules rule rotating rising risen rise system taking increments well week was warrant wants wanted waiting wait vs virtue value vaccine ut uses users use weeks were taste what youll yet yearly yall wouldn would workable won will wife why while where when whats upward upping upcoming until tightening tight think things thing they these there their thats that thanks thank than temporarily tipped today told under unneeded unnecessary unfortunately unfair unemployed understand unable tooo two twice trying try tried tracking reflect reducing reduce medical maybe may married making makes make luck loyalty lost losing loose looking longer long lol means members redo membership news new never needed must multiple move month monetary mom mistake mind might merge memberships locations live little limit joint join job jacking itself its issue isnt isn iny intolerable into interested instead inflation justify keeping keeps leave life let lesser less legacy left learning kept layoff later last laid kids kidding next nice no places prescription prefer preemptively power possible por pop political policies poland
Topic 3 | Coherence=-246682.20 | Top words= my and subscription bill about you extra to family that increase the have using don when pay but charge is like money of it share greedy paying want not just outside with states power news idea for limit after are extortion taste disgusting youre its so was company an subscriptions do me profit additional different starting profiles raising last prices card has ill without compromised because charged bank wanted allowed option credit automatically told get year away passed service dont anymore one this only will am through provider at charging even fair had account enough getting moving fault up she owner phone stepdad amount same multiple daughter kids went households cannot residence hosehold mom once free quality down willing rejoin settled agree started think connected cant servicio cost another thanks unable customers combine el billings declined por parent owning losing adicional pagos spouse stopped own set due two how your aunt need person high we cell users merge hungry medical profits annually bills kidding who any options feel future games fees fee feet frequent from garbage iny addtional fuel fiance forth acceptance financially first finally fix fixed issues flat intolerable focused few isnt absurd food financial isn forcing forever access issue good gas addresses hardly increasing increases increased activities income havent having he health help her in higher hike hikes improvements hiking history holder accounts horrible im house household huge husband acct if hard happy hand gotten gf girl give given go goes into going gone gonna interested addition got instead half gouging grandkids great greed adding guys added inflation increments hacked hackednot hacking increasses amounts each far cancel caring allow cared care cancelling canceling can change bye by business buggin budget broke caused changed fan city coming come combining college climbing climb choose changes choice checking cheaper charges all changing break almost boyfriend awhile been becoming became be barely back as both aren apps aparently anyways anticonsumer amercian before begin being benefit benefits better between bf biannually biased biden biggest also billing already bit blindly compared alarming competitive duplicate elsewhere else eliminating edge easily earlier drive discontinue drastically drain double done doesnt divorce email emails end againlater entertaining entertainment especially euro every everything expected expenses expensive again afford face fact disgusts disappointed consider continuous currency creep covid courtesy country costs continues direction continue continually continously constantly constant consolidating current currently customer cut cutting dad damn date day days deal death decisions delivering deteriorated itself differences didnt loyal jacking situation span sorry soon son something someone some single spending since significant signaling sign sight sick shoves spend spouses should subscriber take system switching support summer success subscribers sub squeeze stupid stranger stopping stop stealing stay start shouldn short job retired risen rise ripped right ridiculous return retiring resume rotating resubscribe restriction restrict restart respect reside repurposing rising rule sharing seems shady several services series sense selection seen see rules secure second scaling scales saving save run taking talk temporarily waiting well weeks week way waste warrant wants wait what vs virtue value vaccine ut uses used were whats temporary would youll yet years yearly yall ya wouldn worth where workable work wont won wife why while use us upward thing tipped times time tightening tight throughout things they upping these there their thats thank than terrible tired today too tooo upcoming until unneeded unnecessary unfortunately unfair unemployed understand under twice trying try tried tracking town replace rent renewing means mistake mind might memberships membership members member maybe monetary may married market many manservices making makes moment month notified new nonsense nonesence non no nice next newest never monthly needed must much moved move more months make made luck laid less legacy left leave learning layoff later lack loyalty kept keeps keeping keep justify joint join lesser let letting life lower lost loose looking longer long lol locations location ll living live little limiting limited nothing now remarried prescription putting put pushed problem pricing price president prefer raise preemptively possible popular pop politically political
Topic 4 | Coherence=-250650.62 | Top words= to back and be will this money the need of you are prices my have only that with months just it raising if for not come dont on cut other me being services ll when much up is in ill good time customer break as trying re business want month save fact change high guys email due bye we into consider taking expenses few forever cared leave give wouldn issue stop greedy subscriptions between hiking makes begin reactivate understand service were means rectifying new payment some again enough what at subscription off us putting put made choose one country about activities budget billing never try already laid costs end needed why or make job tight take kids can move elsewhere possible date making well doesnt decisions sense constantly resubscribe losing keep once having got using spending forth increases another youll price issues fuel bills entertainment users addtional upcoming rising expensive so unable now rise out waste all do bit help else gas use platform no payday reducing second am opportunity spend would saving these yet success getting down rather lol learning reduce restriction right won continously cutting awhile financially support financial own something different divorce double next unemployed wait inflation drain feet emails rotating barely sub news piracy personal hard disappointed cancel broke repurposing sick ripped apps get started since policies vaccine same temporarily return retiring might week im future may restart pleased monetary looking replace remarried under continue must increase scaling food recession instead unneeded every soon monthly join unnecessary summer eliminating prefer cheaper lost later platforms layoff household flat switching medical go households people accounts loyal sight combine provider discontinue garbage caring aunt addition care card cant cannot gf caused cancelling girl adding given canceling automatically goes away games cell by from checking charging charges charged first charge fix fixed aparently changing focused addresses changes changed forcing additional aren free frequent going but fiance acceptance biased absurd biannually had half hand happy became bf because hardly has better havent benefits benefit he health becoming hacking hackednot gone biden gonna added buggin boyfriend acct both gotten blindly gouging grandkids billings great bank bill greed account access biggest hacked finally choice an especially daughter easily edge el damn dad amercian customers currently current currency creep credit annually also covid courtesy entertaining almost earlier each day amounts disgusting direction disgusts differences been didnt don done deteriorated duplicate delivering declined death drastically deal drive days amount her euro anyways cost extra face combining fair family fan far fault college climbing after fee climb feel fees city afford anymore adicional extortion coming againlater allow even continuous continues continually constant anticonsumer consolidating allowed any company everything connected expected alarming compromised competitive agree compared before youre higher should single significant signaling sign shoves shouldn short quickly she sharing share shady several settled situation someone son sorry span spouse spouses squeeze start starting states stay stealing stepdad stopped stopping stranger set servicio series reside raised raises rate rates reality really reason recent recently redo reflect rejoin renewing rent residence selection respect restrict resume retired ridiculous risen rule rules run scales secure see seems seen stupid subscriber subscribers whats used uses ut value virtue vs waiting wanted wants warrant was way weeks went where upping while who wife willing without wont work workable worth ya yall year yearly years upward until system through talk taste temporary terrible than thank thanks thats their there they thing things think throughout unfortunately tightening times tipped tired today told too tooo town tracking tried twice two unfair raise quality hike limit location living live little limiting limited like pushed life letting let lesser less legacy locations long longer loose lower your loyalty luck manservices many market married maybe member members membership memberships left last lack increasing hikes history holder horrible hosehold house how huge hungry husband idea improvements income increased increasses kidding increments interested intolerable iny isn isnt its itself jacking joint justify keeping keeps kept merge mind mistake poland passed past pay paying
 10%|█         | 5/48 [08:42<1:20:11, 111.91s/it]
Topic 5 | Coherence=-257956.90 | Top words= and the you price subscription to for that in prices my your pay people other better charge have im different if extra services raising will keep youre reason kept now with gonna are cheaper out was sharing so using increases use no charging change me only is on like cancel we where dont two ridiculous money want it fee live hike upcoming anticonsumer locations more going because subscriptions an since one tried shady raised offer once stop continues almost need too won from family as just longer fact climb don benefit newest many used selection membership also been be anymore even months member wife added go another they moved yall mom gone guys restrict but places continue span parents drastically deteriorated addresses house or something able support divorce both years stealing courtesy havent damn squeeze value through left finally try continually tipped scales goes good direction rise hikes significant stopping lack reality boyfriend any acceptance differences improvements spend lost sight frequent yet these end poland twice time mind amercian than what aparently short weeks already several discontinue wants household political raise virtue gf without our signaling yearly until multiple day buggin prefer waiting seen redo addtional same back opening fair first switching see annually unfair happy extortion entertaining entertainment especially euro her help every everything expected expenses expensive health after wait face vs he afford having fan far fault adicional feel fees enough again few about warrant done all double higher down drain alarming wanted drive due duplicate each earlier easily edge high agree el againlater eliminating else elsewhere email emails feet fiance hand getting girl give given uses hardly accounts users access us upward account got gotten gouging grandkids great greed greedy upping hacked hackednot hard hacking had half acct activities absurd get financial financially up fix additional fixed flat focused do food vaccine forcing addition forever forth free adding ut fuel has youll future games garbage gas doesnt work allow blindly anyways break broke worth budget business while by bye can when canceling cancelling cannot cant card care cared caring caused cell whats changed changes changing would wouldn apps bit charges workable aunt automatically away awhile bank barely wont became aren becoming willing before begin being why benefits who between bf biannually biased biden biggest bill billing billings bills charged were disgusts credit year currency current currently customer customers cut cutting dad amounts date daughter days deal death decisions declined amount delivering way didnt am waste at disappointed allowed disgusting creep covid went hiking checking choice choose city well climbing college combine combining come coming company compared competitive compromised connected consider consolidating constant constantly continously ya week continuous cost costs country stay increased history prescription profiles problem pricing system take president preemptively policies power possible por popular pop politically profit profits provider pushed put putting quality quickly raises rate rates rather re reactivate really summer recent policy point recession owning taste past passed temporarily parent pagos owner pls own overpriced over outside temporary others payday paying payment talk per person personal phone pick piracy taking platform platforms play playing please pleased recently rectifying original stupid shoves shouldn should she stranger share settled seems set servicio sub service series sense sick sign single situation stopped some someone stepdad son soon sorry spending spouse spouses start started starting subscriber secure reduce repurposing restriction success restart respect residence reside replace second rent renewing remarried rejoin reflect reducing resubscribe resume retired retiring return subscribers right ripped risen rising rotating rule rules run save saving scaling terrible options holder kidding learning layoff later last laid kids trying jacking keeps keeping justify unable joint join leave legacy less lesser let letting life limit limited limiting little tracking living ll location town lol job itself tooo husband increase income unfortunately ill unnecessary idea hungry its huge how households unneeded hosehold horrible states unemployed increasing increasses increments inflation instead interested into intolerable iny understand isn isnt issue issues under long looking option next not nonsense nonesence non thing nice
Average topic coherence for the top words is -255787.90854007364
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.42it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.40it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.42it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.38it/s]
 10%|█         | 5/50 [00:00<00:08,  5.38it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.39it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.40it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.40it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.42it/s]
 20%|██        | 10/50 [00:01<00:07,  5.42it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.44it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.41it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.41it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.36it/s]
 30%|███       | 15/50 [00:02<00:06,  5.33it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.36it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.38it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.39it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.40it/s]
 40%|████      | 20/50 [00:03<00:05,  5.41it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.42it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.43it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.45it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.45it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.43it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.42it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.40it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.42it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.41it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.36it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.33it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.26it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.31it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.35it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.38it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.27it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.19it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.25it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.31it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.29it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.29it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.13it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.17it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.24it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.27it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.25it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.30it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.33it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.36it/s]
100%|██████████| 50/50 [00:09<00:00,  5.35it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.94it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.59it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.65it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.67it/s]
 10%|█         | 5/50 [00:00<00:06,  6.73it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.71it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.74it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.74it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.63it/s]
 20%|██        | 10/50 [00:01<00:06,  6.65it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.66it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.73it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.75it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.70it/s]
 30%|███       | 15/50 [00:02<00:05,  6.69it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.70it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.71it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.78it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.76it/s]
 40%|████      | 20/50 [00:02<00:04,  6.72it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.70it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.69it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.70it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.56it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.60it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.63it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.62it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.62it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.63it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.66it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.69it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.72it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.68it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.52it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.56it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.59it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.60it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.61it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.67it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.67it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.68it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.73it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.72it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.72it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.72it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.73it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.74it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.72it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.71it/s]
100%|██████████| 50/50 [00:07<00:00,  6.68it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.58it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.58it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.56it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.55it/s]
 10%|█         | 5/50 [00:01<00:12,  3.55it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.58it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.57it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.57it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.53it/s]
 20%|██        | 10/50 [00:02<00:11,  3.55it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.57it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.60it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.48it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.40it/s]
 30%|███       | 15/50 [00:04<00:10,  3.44it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.49it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.51it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.52it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.54it/s]
 40%|████      | 20/50 [00:05<00:08,  3.55it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.56it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.57it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.57it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.56it/s]
 50%|█████     | 25/50 [00:07<00:06,  3.57it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.58it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.59it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.57it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.58it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.59it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.58it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.58it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.57it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.59it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.59it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.61it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.60it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.60it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.59it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.60it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.60it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.59it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.59it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.61it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.61it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.60it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.58it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.58it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.58it/s]
100%|██████████| 50/50 [00:14<00:00,  3.57it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.78it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.75it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.75it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.76it/s]
 10%|█         | 5/50 [00:01<00:16,  2.77it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.77it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.77it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.75it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.75it/s]
 20%|██        | 10/50 [00:03<00:14,  2.74it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.73it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.74it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.72it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.73it/s]
 30%|███       | 15/50 [00:05<00:12,  2.74it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.75it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.77it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.77it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.77it/s]
 40%|████      | 20/50 [00:07<00:10,  2.77it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.76it/s]
 44%|████▍     | 22/50 [00:07<00:10,  2.75it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.75it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.75it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.75it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.77it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.76it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.76it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.76it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.75it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.76it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.76it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.77it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.76it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.76it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.76it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.76it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.75it/s]
 78%|███████▊  | 39/50 [00:14<00:03,  2.75it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.75it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.75it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.76it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.76it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.77it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.77it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.77it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.77it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.78it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.77it/s]
100%|██████████| 50/50 [00:18<00:00,  2.76it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.85it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.85it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.84it/s]
  8%|▊         | 4/50 [00:02<00:24,  1.84it/s]
 10%|█         | 5/50 [00:02<00:24,  1.85it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.78it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.77it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.79it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.81it/s]
 20%|██        | 10/50 [00:05<00:21,  1.83it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.82it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.83it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.83it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.83it/s]
 30%|███       | 15/50 [00:08<00:19,  1.84it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.84it/s]
 34%|███▍      | 17/50 [00:09<00:17,  1.84it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.84it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.85it/s]
 40%|████      | 20/50 [00:10<00:16,  1.85it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.85it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.85it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.85it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.85it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.84it/s]
 52%|█████▏    | 26/50 [00:14<00:12,  1.85it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.85it/s]
 56%|█████▌    | 28/50 [00:15<00:11,  1.84it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.84it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.83it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.84it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.84it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.85it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.85it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.85it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.85it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.85it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.85it/s]
 78%|███████▊  | 39/50 [00:21<00:05,  1.84it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.84it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.85it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.84it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.85it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.85it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.85it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.86it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.86it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.85it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.85it/s]
100%|██████████| 50/50 [00:27<00:00,  1.84it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.58it/s]
Topic 0 | Coherence=-256340.90 | Top words= to and the my subscription have for use is money in this will different on increases you it don be as pay about change service we enough prices back months up now your where need greedy going ridiculous upcoming much locations anticonsumer customers ill only rate fee even subscriptions being keep of try few with do two services leave understand wouldn hiking begin means ll cancel what were save wife cared customer anymore go won live dont high if when budget re come too times get continue us other tight want many at time are trying amount garbage through care divorce spend possible same squeeze spending hike losing year that another has household both able addresses once job right left own cheaper due people next hard started price courtesy yet phone quality unable offset constant help daughter each increasses else got married all reduce canceling learning would im was before date rather her days limiting residence hacked billing more opportunity financially bills rotating euro emails combining feet preemptively jacking thank wait free accounts double focused needed fix waste return aren reflect prefer every replace provider out currently getting payment may cutting currency short single less better activities yearly something temporarily day support soon scaling payday everything until happy gotten waiting down some health summer expensive opening just an using platforms wants long havent family raise account households adicional almost allowed house food allow how husband flat fiance fault absurd am also feel fees improvements already acceptance fixed idea finally financial forever hungry first access huge forcing frequent hosehold gouging addition againlater gone gonna good additional hardly hand half again horrible had grandkids hacking great after addtional greed afford guys goes adding having he holder forth hackednot from fuel history future acct games alarming gas hikes gf girl give agree given higher added far biased fan charge charges charging checking choice choose city climb climbing college combine been becoming because coming company compared competitive compromised connected consider became consolidating constantly continously continually barely continues charged changing amercian changes biggest bill billings bit blindly boyfriend break broke buggin biannually business but bf between by bye can cancelling cannot cant card benefits benefit caring caused cell changed continuous cost costs country done drain drastically drive duplicate earlier easily edge el eliminating biden any elsewhere email end annually entertaining entertainment especially expected expenses extortion extra face amounts fact fair anyways doesnt aparently death covid credit creep current bank increase cut dad damn awhile away deal decisions apps declined delivering deteriorated didnt differences automatically aunt direction disappointed discontinue disgusting disgusts income youre increased signaling sight sick shoves shouldn should she sharing share shady several settled set servicio series sense sign significant reactivate since stop stepdad stealing stay states starting start spouses spouse span sorry son someone so situation selection seen seems see respect reside repurposing rent renewing remarried rejoin reducing redo rectifying recession recently recent reason really restart restrict restriction rule secure second scales saving run rules rising resubscribe risen rise ripped retiring retired resume stopped stopping stranger unfair way warrant wanted vs virtue value vaccine ut uses users used upward upping unneeded unnecessary week weeks well work youll years yall ya worth workable wont went without willing why who while whats unfortunately unemployed stupid under thats thanks than terrible temporary taste talk taking take system switching success subscribers subscriber sub their there these today twice tried tracking town tooo told tired they tipped tightening throughout think things thing reality rates increasing medical maybe market manservices making makes make made luck loyalty lower lost loose looking longer lol me member raising members multiple moving moved move monthly month monetary moment mom mistake mind might merge memberships membership location living little limited joint join itself its issues issue isnt isn iny intolerable into interested instead inflation increments justify keeping keeps legacy limit like life letting let lesser layoff kept later last laid lack kids kidding must never new per political policy policies poland point pls pleased please playing play
Topic 1 | Coherence=-250075.36 | Top words= to not is my it you subscription charge for and worth increase price your good in pay just no when extra that was the re daughter after thank have ut but sign she anyways uses an me college bye so greedy raising with year do additional starting profit last profiles prices already bill card has charged ill compromised keep because enough moving willing are what allowed credit wanted told option automatically really too bank without longer every added will continues anymore be support much hacked seems money something bf better using he nothing fault get ok value increases can cost benefit once great should declined profits kidding justify charging think customers use rising options cant half canceling changes way keeps time multiple living phone husband policy someone cannot getting often rejoin up play am amercian poland offered warrant today settled notified popular got series coming frequent outside users like isn agree billings stopped hacking summer spouse family seen nonesence absurd pls acct opportunity climbing hungry live life wont monthly eliminating rate cared two lower share waste caring help us dont boyfriend news sharing jacking fiance finally financial if gone idea financially feet huge how households household house first fix fixed few feel im increments extortion into interested instead inflation face fact fair increasses fees fan increasing far increased income fee improvements flat hosehold food focused horrible hand games garbage gas expenses had gf hackednot girl guys greed grandkids gouging give given go goes gotten going future happy fuel forcing holder gonna history hiking hikes hike higher high her hard forever forth free health having havent hardly from expensive youre expected became both blindly bit bills billing biggest biden biased biannually between benefits being begin before been break broke budget change choice checking cheaper charges changing changed cell buggin caused care cancelling cancel by business becoming barely everything back alarming againlater again afford adicional addtional addresses addition adding activities accounts account access acceptance about all allow almost apps awhile away aunt at as aren aparently also any anticonsumer another annually amounts amount choose city climb combine drastically drain down double done don doesnt divorce disgusts disgusting discontinue disappointed direction different differences drive due duplicate emails even euro especially entertainment entertaining end email each elsewhere else el edge easily earlier didnt deteriorated delivering consolidating continuous continue continually continously constantly constant consider country connected competitive compared company come combining costs courtesy decisions dad intolerable deal days day date damn cutting covid cut customer currently current currency creep death loyal iny significant sorry soon son some situation single since signaling servicio sight sick shoves shouldn short shady several span spend spending spouses subscriptions subscribers subscriber sub stupid stranger stopping stop stepdad stealing stay states started start squeeze set services isnt restart return retiring retired resume resubscribe restriction restrict respect service residence reside repurposing replace rent renewing remarried ridiculous right ripped rise sense selection see secure second scaling scales saving save same run rules rule rotating risen success switching system wait well weeks week we wants want waiting vs take virtue vaccine used upward upping upcoming until went were whats where youll yet years yearly yall ya wouldn would workable work won wife why who while unneeded unnecessary unfortunately through things thing they these there their thats thanks than terrible temporary temporarily taste talk taking this throughout unfair tight unemployed understand under unable twice trying try tried tracking town tooo tired tipped times tightening reflect reducing reduce maybe merge memberships membership members member medical means may nonsense married market many manservices making makes make might mind mistake mom nice next newest new never needed need must moved move more months month monetary moment made luck loyalty left learning layoff later laid lack kids kept keeping joint join job itself its issues issue leave legacy lost less losing loose looking long lol locations location ll little limiting limited limit letting let lesser non now redo por pricing president prescription prefer preemptively power possible pop of politically political policies point
Topic 2 | Coherence=-255902.55 | Top words= price the your many greedy you hikes and extra charging to of also share subscriptions not with in over way subscription fan past few years money has my hike because dont too increases is raised like one charges sharing addition moved terrible need pricing keep an newest tried shady that ridiculous months cancel offer fact once anymore almost pay only used issues raising away since passed member gone increasing me other prices we selection us span so drastically deteriorated was will letting this gotten just future profiles who house expected someone boyfriend financial two account times when significant expenses family stopping subscriber fees out stepdad edge owner changing pushed households where waste she resume users agree done son it laid paying became had thats high taking bank business constant already unemployed don off between some combine mom personal reducing limiting annually our absurd access added increase parent owning political virtue history throughout gouging multiple raises signaling lol constantly remarried stupid cutting monthly currently reside good person aunt having twice situation changed caring wants merge unnecessary think sick again up are caused tracking double getting horrible holder hiking fair higher her far fault help health fee feel hosehold huge household how even every everything increments increasses increased income improvements im ill expensive if idea extortion husband hungry face he have havent food got forcing forever forth gonna free frequent from going fuel goes games go garbage gas given give get girl for focused feet flat gf hardly hard fiance finally happy financially hand half hacking hackednot hacked guys first fix greed great fixed grandkids youre date euro biden blindly bit bills billings billing bill biggest biased charged biannually bf better benefits benefit being begin both break broke budget changes change cell cared care card cant cannot cancelling canceling can bye by but buggin before been becoming allowed all alarming againlater after afford adicional addtional addresses additional adding activities acct accounts acceptance about allow am be amercian barely back awhile automatically at as aren apps aparently anyways any anticonsumer another amounts amount charge cheaper especially different do divorce disgusts disgusting discontinue disappointed direction differences checking didnt delivering declined decisions death deal days doesnt down drain drive entertainment entertaining enough end emails email elsewhere else eliminating el easily earlier each duplicate due day daughter instead continously consider connected compromised competitive compared company coming come combining college climbing climb city choose choice consolidating continually damn continue dad cut customers customer current currency creep credit covid courtesy country costs cost continuous continues inflation loyal interested should soon something single sign sight shoves shouldn short recently several settled set servicio services service series sorry spend spending spouse summer success subscribers sub stranger stopped stop stealing stay states starting started start squeeze spouses sense seen seems retiring resubscribe restriction restrict restart respect residence repurposing replace rent renewing rejoin reflect reduce redo rectifying retired return see right secure second scaling scales saving save same run rules rule rotating rising risen rise ripped support switching system while what were went well weeks week warrant wanted want waiting wait vs value vaccine ut whats why uses wife youll yet yearly year yall ya wouldn would worth workable work wont won without willing using use take time tight through things thing they these there their thanks thank than temporary temporarily taste talk tightening tipped upward tired upping upcoming until unneeded unfortunately unfair understand under unable trying try town tooo told today recession recent into made may married market manservices making makes make luck reason loyalty lower lost losing loose looking longer maybe means medical members never needed must much moving move more month monetary moment mistake mind might memberships membership long locations location kids kept keeps keeping justify joint join job jacking itself its issue isnt isn iny intolerable kidding lack ll last living live little limited limit life let lesser less legacy left leave learning layoff later new news next prescription preemptively power possible por popular pop politically policy policies poland point pls
Topic 3 | Coherence=-251307.71 | Top words= price too for prices the it and is expensive are not your me keep increasing to going much worth you no up long like many have will now rates subscriber or customer has service year company other at raising increase time new raised far with currently options we only after entertaining biannually just keeps life feel there alarming seems loyalty anymore am ill consider more getting so high make increases be of fees way especially keeping shoves forcing iny face pop nice enough choice others cost lost do rules don added unfortunately benefits upward but been nonsense used hikes out charges this changing money than thing use budget hand who higher same subscription down everything income fixed on renewing lack selection while stupid hardly due spending later shouldn never month since competitive system workable manservices pick vs else drive market went subscriptions without gas every compared oneday isnt earlier happy cut sorry switching back return given tired stop amount any rule offered improvements greedy already from againlater differences tightening games let playing first bills cancel thanks maybe didnt right drain loyal because greed second itself sense subscribers horrible barely longer terrible increased non ya its quickly uses being disgusts retired go please risen girl policies doesnt biggest decisions pleased afford whats again adding broke prescription making deal becoming resubscribe hackednot overpriced medical resume food buggin join easily covid tooo well secure policy constantly possible change as inflation all got yall sharing what weeks lesser lower reflect through monthly eliminating users history he health fee help holder her family household fan house hiking fault hike hosehold gf feet future gouging forth free frequent gotten fuel good forever gonna garbage fair goes get give grandkids great having hard few havent fiance finally financial financially half guys fix had flat hacking focused hacked gone cutting fact boyfriend before begin benefit better between bf biased biden bill billing billings bit blindly both break bank business by bye can canceling cancelling cannot cant card care cared caring caused cell became awhile changes allow about absurd acceptance access account accounts acct activities addition additional addresses addtional adicional agree allowed away almost also amercian amounts an annually another anticonsumer anyways aparently apps aren aunt automatically changed charge extra double day days death declined delivering deteriorated different direction disappointed discontinue disgusting divorce done dont drastically date duplicate each edge el elsewhere email emails end entertainment euro even expected expenses extortion daughter damn charged consolidating charging cheaper checking choose city climb climbing college combine combining come coming compromised connected constant dad continously continually continue continues continuous costs country courtesy credit creep currency current customers how households youre huge sight some situation single significant signaling sign sick something should short she share shady several someone son set starting stopping stopped stepdad stealing stay states started soon start squeeze spouses spouse spend span settled servicio sub rejoin residence reside repurposing replace rent remarried reducing restart reduce redo rectifying recession recently recent respect restrict services save series seen see scaling scales saving run restriction rotating rising rise ripped ridiculous retiring stranger success hungry virtue warrant wants wanted want waiting wait value waste vaccine ut using us upping upcoming was week unneeded work youll yet years yearly wouldn would wont were won willing wife why where when until unnecessary summer thank things they these their thats that temporary throughout temporarily taste talk taking take support think tight unfair trying unemployed understand under unable two twice try times tried tracking town told today tipped reason really reality luck member means may married makes made losing membership loose looking lol locations location ll members memberships live move need my must multiple moving moved months merge monetary moment mom mistake mind might living little reactivate instead issues issue isn intolerable into interested increments job increasses in im if idea husband jacking joint limiting leave limited limit letting less legacy left learning justify layoff last laid kids kidding kept needed newest news point power por popular politically political poland pls
Topic 4 | Coherence=-248660.96 | Top words= the it you other price are this and that keep only people prices if now using gonna better cheaper raising reason kept to services was out for youre im afford your charge so can subscription charging my of not time increase again bye months just as at by consider anymore have want use cant paying made fact never increasing email come give reactivate rectifying makes issue good one forever before need choose in putting last many activities between care being but new back start kids continually into talk service recent or job limited high take am garbage moved right benefit see caused things first sharing value thanks already rising expensive provider goes inflation scales lost direction charges tipped finally more president continues keeps biden used quality while pay through blindly off selection work think point opened delivering little longer me climb duplicate should sick mistake getting stranger go lol willing connected due several moment than apps ripped higher discontinue aparently becoming cannot vaccine weeks servicio por el going interested adicional why pagos guys second any politically short temporary business cell biased yet amounts town pricing options worth frequent outside allow broke bit bills gone given after billings future girl almost financial financially boyfriend fix both fixed also flat focused food forcing forth againlater allowed free from fuel games gas get all alarming gf agree got caring gotten improvements horrible hosehold house household households how huge hungry husband idea adding ill added acct history biggest accounts account income access acceptance increased increases absurd increasses increments about instead holder bill gouging hardly grandkids great greed greedy hacked hackednot hacking had break hand addtional happy hard addresses hiking has additional addition havent bf having he health help her billing hike hikes half budget amercian currently continue cancelling continuous cost costs country courtesy canceling covid credit creep currency current customer constantly customers cut cutting dad damn date daughter day days deal death decisions declined continously constant fiance city change changed changes changing be charged cared barely bank checking choice awhile away climbing consolidating college combine combining automatically coming company because compared competitive compromised aunt card aren deteriorated intolerable differences annually enough entertaining entertainment especially euro even every everything expected expenses buggin extortion extra face different an became fair family fan far fault fee feel fees feet amount few end emails biannually elsewhere cancel been anyways disappointed disgusting disgusts divorce do doesnt don done dont begin anticonsumer double down benefits drain drastically drive another each earlier easily edge eliminating else didnt loyal iny soon squeeze spouses spouse spending spend span sorry son taste something someone some situation single since significant started starting states stay system switching support summer success subscriptions subscribers subscriber sub stupid stopping stopped stop stepdad stealing signaling sign sight rule risen rise ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence reside repurposing rotating rules shoves run shouldn she share shady settled set series sense seen seems secure scaling saving save same taking temporarily rent waste what were went well week we way warrant terrible wants wanted waiting wait vs virtue ut whats when where who youll years yearly year yall ya wouldn would workable wont won without with will wife uses users us tracking too told today tired times tightening tight throughout thing they these there their thats thank tooo tried upward try upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying replace renewing is means might merge memberships membership members member medical maybe nothing may married market manservices making make luck mind mom monetary money nonesence non no nice next news newest needed must multiple much moving move monthly month loyalty lower losing leave layoff later laid lack kidding keeping justify joint join jacking itself its issues isnt isn learning left loose legacy looking long locations location ll living live limiting limit like life letting let lesser less nonsense notified remarried power profits profit profiles problem prescription prefer preemptively possible offer popular pop political policy
Topic 5 | Coherence=-246348.52 | Top words= and my you extra with subscription family for of the about share that bill charge using increase me don when to like are subscriptions want paying money outside youre news going idea power its limit states charging out disgusting extortion taste sharing different company no greedy but pay in re if have will cant because kids married two more live got im grandkids without stay membership is husband since another up mom cancel good even restrict places city intolerable unfair won parents need support fair longer memberships consolidating how we getting moving an reason cost kept fiance members respect now run legacy down quality hosehold been recently allow college keeps services after later raising disappointed unable town anyways sub went agree had sign go she newest gonna joint gf temporarily cancelling rejoin instead platform people cheaper fee death account horrible holder spouses set ut business elsewhere fault who year country what redo living boyfriend subscribers location choice fixed food everything forcing isn flat expected fix focused financial first expenses feel fees feet few far it fan issues forth fact face finally issue itself financially isnt expensive forever gouging free hardly inflation increments increasses havent increasing having he health increases help her increased high higher hike hikes hiking history house household households huge hungry income ill has hard frequent happy from fuel future games garbage gas get girl give given goes gone iny gotten improvements great greed into guys hacked hackednot interested hacking half hand every differences euro benefit biden biased biannually bf between better benefits being billing begin before becoming became be barely bank biggest billings awhile bye caring cared care card cannot canceling can by bills buggin budget broke break both blindly bit back away cell addition againlater again afford adicional addtional addresses additional adding all added activities acct accounts access acceptance absurd alarming allowed automatically any aunt at as aren apps aparently anymore anticonsumer almost annually amounts amount amercian am also already caused change especially job done doesnt do divorce disgusts discontinue direction didnt double deteriorated delivering declined decisions deal days day dont drain date eliminating entertainment entertaining enough end emails email else el drastically edge easily earlier each duplicate due drive daughter damn changed combine connected compromised competitive compared coming come combining climbing constant climb choose checking charges charged changing changes consider constantly dad creep cutting cut customers customer currently current currency credit continously covid courtesy costs continuous continues continue continually jacking loyal join someone spending spend span sorry soon son something some squeeze so situation single significant signaling sight sick spouse start shouldn subscriber talk taking take system switching summer success stupid started stranger stopping stopped stop stepdad stealing starting shoves should terrible return rotating rising risen rise ripped right ridiculous retiring rules retired resume resubscribe restriction restart residence reside rule same short selection shady several settled servicio service series sense seen save seems see secure second scaling scales saving temporary than just wanted weeks week way waste was warrant wants waiting were wait vs virtue value vaccine uses users well whats use would youll yet years yearly yall ya wouldn worth where workable work wont willing wife why while used us thank think times time tightening tight throughout through this things tired thing they these there their thats thanks tipped today upward understand upping upcoming until unneeded unnecessary unfortunately unemployed under told twice trying try tried tracking tooo too repurposing replace rent monetary multiple much moved move months monthly month moment needed mistake mind might merge member medical means must never may off once on ok often offset offered offer notified new nothing not nonsense nonesence non nice next maybe market renewing learning life letting let lesser less left leave layoff limiting last laid lack kidding keeping keep justify limited little many your manservices making makes make made luck loyalty lower ll lost losing loose looking long lol locations one oneday only price provider profits profit profiles problem pricing prices president put prescription prefer preemptively possible por popular
 12%|█▎        | 6/48 [10:51<1:22:22, 117.69s/it]
Topic 6 | Coherence=-255919.12 | Top words= to and price you be the will back of is prices money need why more with your access subscription for greed too many me just good sharing am increases my want luck checking increments now that we canceling stop raising where new keep on from cut people can saving month in guys services change break dont different they not because pay increase country deal problem taking customer continuous business end when continues expenses fee payment rise been put time climb ll how better using acceptance reality costs do their some damn this tracking move loose trying take lack moved location yall elsewhere constantly needed currency got these resubscribe youll well have upping no addtional forth upcoming years billing making make entertainment another current changed less almost having laid doesnt again decisions paying fuel stealing us other into lost increased so havent something sense creep off start bit date done raise as really rent per sight constant come save moving added adding tired dad success offer restriction awhile there continously platform payday broke months mind huge due others email ontario twice users repurposing lesser piracy summer losing bye amounts week reducing looking restart under monetary retiring must cant might fees every inflation issue job made original forever own locations fact makes nothing reactivate recession rectifying anticonsumer unneeded by consider switching layoff flat give divorce ridiculous rising bank future redo everything later passed limited mom goes given apps biased aparently anyways go benefit benefits going became anymore between any bf gone gonna annually an are becoming aren at frequent free biannually games garbage barely gas before get begin getting gf being girl away automatically aunt forcing great gotten activities help adicional her high addresses higher hike additional hikes hiking addition history gouging holder acct accounts account horrible absurd hosehold house household households about health he afford after grandkids biggest amount amercian also greedy already hacked hackednot hacking allowed allow had half hand happy hard all hardly alarming has agree againlater biden blindly bill city connected compromised double down drain drastically drive competitive duplicate each earlier easily edge el eliminating compared else company coming combining emails combine college don consolidating disgusts courtesy cutting customers hungry daughter day days currently credit death covid declined disgusting delivering deteriorated didnt differences cost direction disappointed discontinue continue continually climbing choose billings choice care feel card feet few cannot cancelling cancel fiance but buggin finally financial financially budget first fix fixed boyfriend focused both bills food cared fault far charge cheaper enough entertaining charging especially euro even charges charged expected expensive fan changing changes cell extortion extra face caused fair family caring youre loyal husband idea spend span sorry soon son someone situation single since significant signaling sign sick shoves shouldn spending spouse spouses stranger support subscriptions subscribers subscriber sub stupid stopping squeeze stopped stepdad stay states starting started should short she retired rule rotating risen ripped right return resume run restrict respect residence reside replace renewing rules same share series shady several settled set servicio service selection scales seen seems see secure second scaling system talk taste warrant were went weeks way waste was wants whats wanted waiting wait vs virtue value what while ut worth yet yearly year ya wouldn would workable who work wont won without willing wife vaccine uses temporarily things times tightening tight throughout through think thing today thats thanks thank than terrible temporary tipped told used unfair use upward up until unnecessary unfortunately unemployed tooo understand unable two try tried town remarried rejoin reflect lower maybe may married market manservices loyalty longer medical long lol living live little limiting means member like multiple non nice next news newest never much members monthly moment mistake merge memberships membership limit life nonsense instead issues isnt isn iny intolerable interested increasses its increasing income improvements im ill if it itself letting kids let legacy left leave learning last kidding jacking kept keeps keeping justify joint join nonesence notified reduce por president prescription prefer preemptively power possible popular profiles
Average topic coherence for the top words is -252079.3037478496
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.52it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.54it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.55it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.56it/s]
 10%|█         | 5/50 [00:00<00:08,  5.56it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.57it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.58it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.55it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.54it/s]
 20%|██        | 10/50 [00:01<00:07,  5.58it/s]
 22%|██▏       | 11/50 [00:01<00:07,  5.56it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.54it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.55it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.53it/s]
 30%|███       | 15/50 [00:02<00:06,  5.57it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.57it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.54it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.52it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.57it/s]
 40%|████      | 20/50 [00:03<00:05,  5.57it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.58it/s]
 44%|████▍     | 22/50 [00:03<00:05,  5.51it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.49it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.50it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.51it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.52it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.48it/s]
 56%|█████▌    | 28/50 [00:05<00:03,  5.52it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.53it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.55it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.55it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.55it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.55it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.56it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.57it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.58it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.58it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.56it/s]
 78%|███████▊  | 39/50 [00:07<00:01,  5.53it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.55it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.55it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.56it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.60it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.56it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.52it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.53it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.54it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.55it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.49it/s]
100%|██████████| 50/50 [00:09<00:00,  5.54it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.85it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.79it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.67it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.69it/s]
 10%|█         | 5/50 [00:00<00:06,  6.73it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.75it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.74it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.77it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.80it/s]
 20%|██        | 10/50 [00:01<00:05,  6.80it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.80it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.83it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.81it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.79it/s]
 30%|███       | 15/50 [00:02<00:05,  6.80it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.79it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.76it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.78it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.77it/s]
 40%|████      | 20/50 [00:02<00:04,  6.78it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.79it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.76it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.79it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.81it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.84it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.83it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.85it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.82it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.79it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.79it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.78it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.80it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.82it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.84it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.83it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.85it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.81it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.75it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.74it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.77it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.79it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.82it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.82it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.83it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.82it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.77it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.78it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.82it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.82it/s]
100%|██████████| 50/50 [00:07<00:00,  6.80it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.61it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.61it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.65it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.62it/s]
 10%|█         | 5/50 [00:01<00:12,  3.60it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.60it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.62it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.60it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.58it/s]
 20%|██        | 10/50 [00:02<00:11,  3.58it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.59it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.58it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.58it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.58it/s]
 30%|███       | 15/50 [00:04<00:09,  3.60it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.60it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.59it/s]
 36%|███▌      | 18/50 [00:05<00:08,  3.58it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.58it/s]
 40%|████      | 20/50 [00:05<00:08,  3.58it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.57it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.57it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.56it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.57it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.58it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.57it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.54it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.52it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.46it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.43it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.39it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.40it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.46it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.47it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.49it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.50it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.50it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.53it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.53it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.54it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.55it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.56it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.56it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.56it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.55it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.57it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.56it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.56it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.56it/s]
100%|██████████| 50/50 [00:14<00:00,  3.55it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.75it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.74it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.75it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.75it/s]
 10%|█         | 5/50 [00:01<00:16,  2.74it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.73it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.73it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.72it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.71it/s]
 20%|██        | 10/50 [00:03<00:14,  2.73it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.72it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.73it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.74it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.71it/s]
 30%|███       | 15/50 [00:05<00:12,  2.70it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.72it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.71it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.73it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.72it/s]
 40%|████      | 20/50 [00:07<00:11,  2.72it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.72it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.72it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.74it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.74it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.74it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.75it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.75it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.75it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.76it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.76it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.75it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.71it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.70it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.70it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.69it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.70it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.72it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.73it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.74it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.74it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.75it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.74it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.74it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.74it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.74it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.74it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.74it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.74it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.73it/s]
100%|██████████| 50/50 [00:18<00:00,  2.73it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.82it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.80it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.78it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.74it/s]
 10%|█         | 5/50 [00:02<00:26,  1.72it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.72it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.74it/s]
 16%|█▌        | 8/50 [00:04<00:24,  1.74it/s]
 18%|█▊        | 9/50 [00:05<00:24,  1.69it/s]
 20%|██        | 10/50 [00:05<00:23,  1.71it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.73it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.75it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.76it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.78it/s]
 30%|███       | 15/50 [00:08<00:19,  1.78it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.78it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.77it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.76it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.78it/s]
 40%|████      | 20/50 [00:11<00:16,  1.79it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.79it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.79it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.77it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.78it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.77it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.78it/s]
 54%|█████▍    | 27/50 [00:15<00:12,  1.79it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.79it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.80it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.81it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.81it/s]
 64%|██████▍   | 32/50 [00:18<00:09,  1.80it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.80it/s]
 68%|██████▊   | 34/50 [00:19<00:08,  1.80it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.79it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.79it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.79it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.79it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.78it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.78it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.77it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.76it/s]
 86%|████████▌ | 43/50 [00:24<00:03,  1.76it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.76it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.76it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.76it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.77it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.76it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.74it/s]
100%|██████████| 50/50 [00:28<00:00,  1.77it/s]

100%|██████████| 50/50 [00:00<00:00, 1351.33it/s]
Topic 0 | Coherence=-240454.73 | Top words= to the not for you your is me price it in with are bye my worth good no daughter she re charge and this ut uses anyways college sign thank when extra only going need subscription again dont so make that increase other life one up currently more has who if do anymore consider especially keeping forcing nice choice pop shoves face moved just fact subscriber will of paying iny back email continues issue reactivate subscriptions give makes forever want rectifying come never months at have same lost business expensive higher first take willing thing others than can rates passed before doesnt care making sense decisions resubscribe well start support way its options away something boyfriend house household time things rise cancel been limiting great guys already family account someone significant sight stepdad high choose members respect legacy two month end we over use run son let news an didnt residence saving mom won allow taking justify deal disappointed discontinue problem had several weeks sub por parent pagos access future owner servicio isn may our adicional multiple opportunity single isnt el needed own person owning else disgusts reside given caused hike stupid caring pushed bills temporarily everything cancelling date be profits awhile agree wants finally fiance few hacking feet fees husband idea feel fee fault far fan fair ill im improvements income financial horrible financially gouging go goes help health gone gonna extortion gotten he having havent girl grandkids hardly hard happy greed hand greedy half hacked hackednot her gf hungry free fix fixed flat huge how focused food households forth hosehold frequent getting from holder fuel history hiking hikes games garbage gas get got youre expenses barely billing bill biggest biden biased biannually bf between better benefits benefit being begin becoming because billings bit blindly cannot changed change cell cared card cant canceling both by but buggin budget broke break became bank changing automatically againlater after afford addtional addresses additional addition adding added activities acct accounts acceptance absurd about alarming all allowed anticonsumer aunt as aren apps aparently any another almost annually amounts amount amercian am also changes charged expected damn down double done don divorce disgusting direction different differences deteriorated delivering declined death days day drain drastically drive emails every even euro entertainment entertaining enough elsewhere due eliminating edge easily earlier each duplicate increases dad charges cutting consolidating connected compromised competitive compared company coming combining combine climbing climb city checking cheaper charging constant constantly continously credit cut customers customer current currency creep covid continually courtesy country costs cost continuous continue increased loyal increasing spouse spend span sorry soon some situation since signaling sick shouldn should short sharing share shady spending spouses set squeeze talk system switching summer success subscribers stranger stopping stopped stop stealing stay states starting started settled services increasses ridiculous retiring retired resume restriction restrict restart repurposing replace rent renewing remarried rejoin reflect reducing reduce return right service ripped series selection seen seems see secure second scaling scales save rules rule rotating rising risen taste temporary terrible whats were went week waste was warrant wanted waiting wait vs virtue value vaccine using users what where thanks while youll yet years yearly year yall ya wouldn would workable work wont without wife why used us upward upping told today tired tipped times tightening tight throughout through think they these there their thats too tooo town unemployed upcoming until unneeded unnecessary unfortunately unfair understand tracking under unable twice trying try tried redo recession recently medical maybe married market many manservices made luck loyalty lower losing loose looking longer long lol means member non membership newest new must much moving move monthly money monetary moment mistake mind might merge memberships locations location ll living kept keeps keep joint join job jacking itself issues intolerable into interested instead inflation increments kidding kids lack lesser live little limited limit like letting less laid left leave learning layoff later last next nonesence recent prices prescription prefer preemptively power possible popular politically political policy policies poland
Topic 1 | Coherence=-239023.34 | Top words= to be back will and need money of cut high this just month with have can ll time when price saving break prices long the more too subscriptions due expenses us increases taking for payment we don raised changing were begin got means deal leave on understand cared wouldn up problem continuous hiking re benefits if what not my losing costs end ill being getting subscription move off expensive nonsense job get about laid enough so that again been way only fuel switching keeps entertainment renewing other is hard others having bit else platform using in start almost while compared gas users rent rise per trying increased come has summer waste learning moved rather would reducing resume rules own there greedy spend bank done cannot another away financially multiple fees combining play emails rotating same coming something double inflation thats outside accounts feet awhile married owner account less passed different broke hacked cancel fix rising might looking divorce spending monetary later upcoming date must week billings repurposing stopped some retiring instead holder hackednot soon food recession prescription phone death unneeded apps join secure easily needed cutting provider biggest layoff any im moving redo aparently thanks return yet but going are good gonna gone currency goes aren given give girl go gouging gotten at grandkids anyways great greed anymore guys anticonsumer annually hacking had as gf aunt hand forcing forever bill forth free frequent from biden future games garbage biased biannually bf between better benefit before becoming because became barely automatically half happy bills adding addtional household households how huge addresses hungry husband idea additional addition added adicional activities acct improvements access income increase acceptance absurd increasing increasses increments house afford an help amounts hardly amount amercian am also havent already allowed he health her after allow higher hike hikes all history alarming agree horrible hosehold againlater billing blindly current combine consider disappointed discontinue disgusting disgusts connected do compromised doesnt competitive company dont consolidating college climbing climb city down drain drastically drive choose duplicate each direction differences choice cost currently customer customers creep credit dad covid courtesy damn country daughter day didnt continues days continue continually continously decisions declined delivering deteriorated constantly constant earlier edge both by cant fair family cancelling fan far canceling bye fault fee feel few fact fiance finally business financial buggin first budget boyfriend fixed flat focused card face el especially eliminating checking elsewhere email cheaper charging charges charged charge entertaining changes changed extra euro even change every cell everything expected caused caring care extortion youre loyal interested significant span sorry son someone situation single since signaling into sign sight sick shoves shouldn should short spouse spouses squeeze started system support success subscribers subscriber sub stupid stranger stopping stop stepdad stealing stay states starting she sharing share rule ripped right ridiculous retired resubscribe restriction restrict restart respect residence reside replace remarried rejoin reflect risen run shady save several settled set servicio services service series sense selection seen seems see second scaling scales take talk taste where went well weeks was warrant wants wanted want waiting wait vs virtue value vaccine ut whats who used why youll you years yearly year yall ya worth workable work wont won without willing wife uses use temporarily tired times tightening tight throughout through think things thing they these their thank than terrible temporary tipped today upward told upping until unnecessary unfortunately unfair unemployed under unable two twice try tried tracking town tooo reduce rectifying recently members medical me maybe may market many manservices making makes make made luck loyalty your lower member membership loose memberships no nice next news newest new never much months monthly moment mom mistake mind merge lost longer nonesence kids kept keeping keep justify joint jacking itself its it issues issue isnt isn iny intolerable kidding lack lol last locations location living live little limiting limited limit like life letting let lesser legacy left non nothing recent pricing prefer preemptively power possible por popular pop politically political policy policies poland
Topic 2 | Coherence=-248169.14 | Top words= price you the charging of extra share hikes my greedy many subscriptions and subscription not your because to way with also for out years fan past few over money too keep are raising cant me up newest getting sharing has married prices without don hike got an anymore cost grandkids service need stay us much increase two hacked or husband only was letting keeps that quality profiles used now hand lack provider expected memberships through future being pricing issues is am selection kidding after using down profits someone at one went differences work improvements ll households her wife absurd town increased becoming nonsense any months far raised notified stranger recently phone life away today going hiking had everything happy quickly ya combine already connected consolidating moment girl own risen broke leave hacking joint high remarried cared understand re cell caring hungry short covid means merge acct spouses set by aunt budget tooo begin temporary passed loyal use unable deal flat amount owning start isnt she give became be barely given iny go goes bank gone gonna back good access been gotten awhile intolerable gouging automatically account great into greed as guys acceptance gf before apps fix biased fixed issue biannually focused food bf between forcing forever forth free frequent from better fuel benefits benefit games garbage gas get isn about aren increases activities agree again history holder horrible hosehold house household afford how huge adicional increasses addtional idea if ill im addresses additional addition increasing in income adding added againlater alarming aparently higher accounts interested anyways anticonsumer half another annually instead amounts hard hardly biden have inflation amercian havent having almost he allowed health help allow increments all hackednot changing first financially courtesy credit creep currency current currently card customer customers cut cutting dad damn date daughter day days death decisions declined delivering deteriorated didnt cannot different it direction disappointed discontinue country costs care come charged charges changes cheaper changed checking choice choose city climb climbing college combining coming continuous company compared change competitive compromised consider caused constant constantly continously continually continue continues disgusting disgusts divorce fair entertaining entertainment especially euro even every blindly expenses expensive extortion bit face fact family end bills billings billing fault fee feel fees feet charge fiance biggest finally financial enough emails do but cancelling doesnt canceling done dont double cancel drain drastically can drive bye due duplicate email each earlier business buggin easily edge break boyfriend both el eliminating else elsewhere bill youre its some spending spend span sorry soon son something so squeeze situation single since significant signaling sign sight spouse started talk subscriber take system switching support summer success subscribers sub starting stupid stopping stopped stop stepdad stealing states sick shoves shouldn return rule rotating rising rise ripped right ridiculous retiring should retired resume resubscribe restriction restrict restart respect rules run same save shady several settled servicio services series sense seen seems see secure second scaling scales saving taking taste reside wants were well weeks week we waste warrant wanted whats want waiting wait vs virtue value vaccine what when temporarily worth youll yet yearly year yall wouldn would workable where wont won willing will why who while ut uses users they tightening tight throughout this think things thing these upward there their thats thanks thank than terrible time times tipped tired upping upcoming until unneeded unnecessary unfortunately unfair unemployed under twice trying try tried tracking told residence repurposing itself members month monetary mom mistake mind might membership member more medical maybe may market manservices making makes monthly move often nice offered offer off nothing nonesence non no next moved news new never needed must multiple moving make made luck laid less legacy left learning layoff later last kids loyalty kept keeping justify just join job jacking lesser let like limit lower lost losing loose looking longer long lol locations location living live little limiting limited offset ok replace preemptively put pushed profit problem president prescription prefer power raise possible por popular pop politically political
Topic 3 | Coherence=-251374.87 | Top words= and my you subscription the about family with increase extra bill using when of that like charge in share paying price money don me want company outside are but states limit idea power to news for have disgusting taste youre extortion has its greedy subscriptions increases is different not no pay good it moving an re keep already more really year kids enough longer raising added another every worth being cost we going live seems nothing value he bf dont will agree unfair intolerable city tired ok months fees charges your get husband over what fiance consolidating phone im changes edge pushed constantly once sick living rejoin subscribers getting policy waste games do frequent canceling service off playing fair lol hosehold poland popular amercian opportunity continuous series free justify ripped daughter signaling time settled won virtue spouse changing offered political adding from laid resume seen cant biased support original politically monthly ontario new biggest location far run through than too reducing expenses house account absurd after hike focused food afford forcing household forever holder forth hikes iny fixed horrible into interested hiking history flat addition fix feel issues accounts fan hungry fault huge how issue fee isnt first againlater feet again isn few households finally fuel financially financial future instead gouging if gonna additional got hard gotten acceptance increased improvements happy hand addresses half grandkids great had hacking greed access hackednot hacked income gone increasing guys adicional higher high her help garbage health gas inflation having activities gf goes ill girl havent increments addtional give hardly given go increasses acct anymore fact break caring cared care card cannot cancelling amount amounts cancel can bye by business buggin budget caused cell change climb coming come combining combine college climbing choose changed choice checking cheaper charging charged am broke boyfriend compared both became be barely bank back awhile away automatically aunt at as aren any apps aparently because becoming been biden blindly annually bit bills billings billing biannually before between better benefits anticonsumer benefit begin also competitive face discontinue anyways easily earlier each duplicate due drive drastically drain down double done allowed doesnt divorce el eliminating else all alarming expensive expected everything even euro especially elsewhere entertainment entertaining allow end emails email disgusts almost compromised direction current currency creep credit covid courtesy country costs continues continue continually continously constant consider connected currently customer customers death differences didnt deteriorated delivering declined decisions deal cut days day date damn dad cutting disappointed loyal itself soon start squeeze spouses spending spend span sorry son starting something someone some so situation single since started stay terrible success temporarily talk taking take system switching summer subscriber stealing sub stupid stranger stopping stopped stop stepdad significant sign sight right same rules rule rotating rising risen rise ridiculous shoves return retiring retired resubscribe restriction restrict restart save saving scales scaling shouldn should short she sharing shady several set servicio services sense selection see secure second temporary thank residence wants went well weeks week way was warrant wanted whats waiting wait vs vaccine ut uses users were where thanks would youll yet years yearly yall ya wouldn workable while work wont without willing wife why who used use us this told today tipped times tightening tight throughout think upward things thing they these there their thats tooo town tracking tried upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying try respect reside jacking members mom mistake mind might merge memberships membership member monetary medical means maybe may married market many moment month often next offer now notified nonsense nonesence non nice newest move never needed need must multiple much moved manservices making makes lack legacy left leave learning layoff later last kidding make kept keeps keeping just joint join job less lesser let letting made luck loyalty lower lost losing loose looking long locations ll little limiting limited life offset on repurposing profiles quickly quality putting put provider profits profit problem raised pricing prices president prescription prefer preemptively
Topic 4 | Coherence=-265480.72 | Top words= the price and it is too for you now prices many increases keep your going we increasing will have subscription much expensive am where time my in use this worth like are as me access why at good customer no be not ridiculous checking increments luck service canceling greed just greedy to long months rates ill money can pay other subscriber change upcoming after different only options anymore biannually entertaining far or new afford seems there feel alarming loyalty consider locations fee anticonsumer company year keeps raised charges don on right few pricing but up back by stop terrible fees moved constant has addition unfortunately upward budget last gotten tight lost come try once job rising every more divorce see through addtional income youll fixed wife amount people everything hardly courtesy paying less left creep vs system workable later longer times offered raising trying done stupid never second want spending cant rule what thanks twice happy else possible maybe cut given jacking days wait been itself thank retired before non quality return horrible two isnt short membership gouging whats business vaccine mistake raises throughout interested hikes history moving its overpriced think due climbing lol often apps any how save reflect drain duplicate things flat loose repurposing same again away gas became acct barely get bank awhile getting gf girl idea give automatically go goes aunt gone husband gonna hungry garbage games aren forever begin about absurd focused food acceptance account forcing becoming forth if improvements because free frequent from fuel im accounts future got huge hiking aparently also hosehold hand already hard almost allowed allow havent having all he health help her agree high againlater higher hike holder adicional house amercian guys activities grandkids great added adding anyways households additional another hacked half hackednot household annually an amounts hacking addresses had being combining finally fix current changed customers cell cutting dad damn date daughter day increase deal death decisions declined delivering deteriorated caused didnt caring cared differences care direction disappointed discontinue disgusting disgusts currently currency benefit changes college coming compared competitive climb city compromised choose connected choice consolidating constantly cheaper continously charging continually continue continues charged charge continuous cost costs country changing covid credit card do doesnt cannot expected bills expenses billings extortion extra face fact fair family fan billing fault bill biggest biden biased bf between feet better fiance combine financial benefits financially first bit blindly both edge cancelling cancel bye dont double down buggin drastically drive each earlier easily el boyfriend eliminating broke elsewhere email emails end enough break entertainment especially euro even youre loyal increased son someone some so situation single since significant signaling sign sight sick shoves shouldn should she something soon redo sorry stranger stopping stopped stepdad stealing stay states starting started start squeeze spouses spouse spend span sharing share shady several retiring resume resubscribe restriction restrict restart respect residence reside replace rent renewing remarried rejoin reducing ripped rise risen selection settled set servicio services series sense seen rotating secure scaling scales saving run rules sub subscribers subscriptions used well weeks week way waste was warrant wants wanted waiting virtue value ut using uses went were when would yet years yearly yall ya wouldn work while wont won without with willing who users us success upping they these their thats that than temporary temporarily taste talk taking take switching support summer thing tightening tipped under until unneeded unnecessary unfair unemployed understand unable tired tried tracking town tooo told today reduce rectifying increasses moment mind might merge memberships members member medical means may married market manservices making makes make mom monetary recession month of notified nothing nonsense nonesence nice next news newest needed need must multiple move monthly made lower losing looking kids kidding kept keeping justify joint join issues issue isn iny intolerable into instead inflation lack laid layoff limited location ll living live little limiting limit learning life letting let lesser legacy leave off offer offset pleased problem president prescription prefer preemptively power por popular pop politically
Topic 5 | Coherence=-233012.29 | Top words= to is it just pay not have after my was for increase but prices year subscription that raising additional profit starting last greedy profiles so charge an do card charged bill ill afford because compromised will option credit too told and automatically allowed wanted without bank anymore much cant high months think willing can be budget what charging take bills constantly caused using when this rate possible thanks business elsewhere increasses as biden inflation offset your each cancel president half should am return reduce tightening againlater by declined customers trying way longer every aparently than been live cannot again horrible month day rising monthly until waiting break medical one eliminating policy start increased two please settled another hand tired iny raise different before household any the hike fixed focused flat issue first fix isnt financially financial issues finally food forcing isn few intolerable forever forth free frequent into from fuel future games fiance fees feet keep lack kids kidding expensive kept keeps keeping extortion extra face fact fair family instead justify joint fan join job jacking far fault fee itself its feel interested gas garbage idea hackednot hacking had husband hungry huge happy how hard hardly has households havent having he health house help hosehold holder history her hiking expected hikes hacked guys higher if get getting gf girl increments give given go increasing goes increases going gone gonna good got income gotten gouging in grandkids great improvements greed im expenses youre everything boyfriend blindly bit billings billing biggest biased biannually bf between better benefits benefit being begin becoming both broke city buggin choice checking cheaper charges changing changes changed change cell caring cared care cancelling canceling bye became barely back awhile agree adicional addtional addresses addition adding added activities acct accounts account access acceptance absurd about alarming all allow anyways away aunt at aren are apps anticonsumer almost annually amounts amount amercian also already choose climb even drain double dont done don doesnt divorce disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering down drastically climbing drive euro especially entertainment entertaining enough end emails email else el edge easily earlier duplicate due decisions death deal days continue continually continously constant consolidating consider connected competitive compared company coming come combining combine college continues continuous cost customer daughter date damn dad cutting cut currently costs current currency creep covid courtesy country laid loyal later spouse spend span sorry soon son something someone some situation single since significant signaling sign sight sick shoves spending spouses short squeeze support summer success subscriptions subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states started shouldn she layoff same rules rule rotating risen rise ripped right ridiculous retiring retired resume resubscribe restriction restrict restart respect residence run save sharing saving share shady several set servicio services service series sense selection seen seems see secure second scaling scales switching system taking where were went well weeks week we waste warrant wants want wait vs virtue value vaccine ut uses whats while talk who youll you yet years yearly yall ya wouldn would worth workable work wont won with wife why users used use us times time tight throughout through things thing they these there their thats thank terrible temporary temporarily taste tipped today tooo unfair upward upping upcoming up unneeded unnecessary unfortunately unemployed town understand under unable twice try tried tracking reside repurposing replace never need must multiple moving moved move more money monetary moment mom mistake mind might merge memberships membership needed new oneday newest on ok often offered offer off of now notified nothing nonsense nonesence non no nice next news members member means me location ll living little limiting limited limit like life letting let lesser less legacy left leave learning locations lol long makes maybe may married market many manservices making make looking made luck loyalty lower lost losing loose once only rent quickly putting put pushed provider profits problem pricing price prescription prefer preemptively power por popular pop politically political quality raised
Topic 6 | Coherence=-252376.74 | Top words= price the and to of your increase sharing be money you hike prices that my used is change new like on raised just customers offer with enough pay raising tried shady subscription almost once service garbage fact country many worth since too about was cancel even rate also charges increasing customer member dont different don gone need has it times currently terrible care acceptance back save want reality drastically this currency span deteriorated rules talk recent expensive limited anymore services selection bye keep addition changed location when added issues some another lack for do months amount in current billing started next financial trying while spend ridiculous stopping going continually value why should payday blindly out users moved delivering point canceling little dad became fault better continously restriction before between down tracking preemptively cheaper these lesser unemployed temporarily saving aren support year quality get others having personal piracy spending moving drain focused annually euro reflect later loyal barely stupid scaling ill wont lower nonesence ontario paying pls buggin cancelling rejoin squeeze situation date up damn due after cost start reside other think subscriptions go given gonna amercian am give goes already girl allowed got good an gotten gouging grandkids great allow greed greedy guys hacked hackednot hacking amounts connected gf combine automatically fix fixed flat aunt at food as forcing forever forth free frequent getting from fuel are future games apps aparently gas anyways any anticonsumer all had hard half activities huge hungry husband additional idea if choose climbing im improvements adding income acct households accounts increased increases account increasses increments inflation access absurd instead interested into how household hand her happy first hardly alarming have agree college havent againlater he health help high addresses higher again hikes hiking afford history adicional holder addtional horrible hosehold house away fiance financially didnt intolerable daughter day days deal death can decisions declined coming by but differences done business checking budget direction disappointed broke discontinue disgusting disgusts divorce break doesnt company charging cannot cutting compromised consolidating charged charge constant constantly competitive changing changes continue continues continuous costs cell caused courtesy covid credit creep caring cared compared card cant cut boyfriend both awhile family everything come being begin expected expenses been extortion extra face becoming fair fan bit far because city bank fee feel fees feet few consider finally combining every benefit benefits bf bills double billings bill biggest biden drive duplicate each earlier easily edge el eliminating biased choice else elsewhere email emails end biannually entertaining entertainment especially climb youre iny signaling soon son something someone so single significant sign settled sight sick shoves shouldn short she share sorry spouse spouses starting take system switching summer success subscribers subscriber sub stranger stopped stop stepdad stealing stay states several set isn repurposing retired resume resubscribe restrict restart respect residence replace servicio rent renewing remarried reducing reduce redo rectifying retiring return right ripped series sense seen seems see secure second scales same run rule rotating rising risen rise taking taste temporary waste were went well weeks week we way warrant than wants wanted waiting wait vs virtue vaccine what whats where who youll yet years yearly yall ya wouldn would workable work won without willing will wife ut using uses told tired tipped time tightening tight throughout through things thing they there their thats thanks thank today tooo use town us upward upping upcoming until unneeded unnecessary unfortunately unfair understand under unable two twice try recession recently reason married membership members medical means me maybe may market no manservices making makes make made luck loyalty memberships merge might mind news newest never needed must multiple much move more monthly month monetary moment mom mistake lost losing loose layoff laid kids kidding kept keeps keeping justify joint join job jacking itself its issue isnt last learning looking leave longer long lol locations ll living live limiting limit life letting let less legacy left nice non really policy power possible por popular pop politically political policies nonsense poland pleased please playing
 15%|█▍        | 7/48 [13:11<1:25:18, 124.85s/it]
Topic 7 | Coherence=-252117.39 | Top words= you and to prices that people other for services subscription keep better my extra raising charge are if im it your the cheaper so gonna reason kept youre using will out in sharing me price was only with want now money pay not charging use more from no different have stop dont go guys new on two live they do up increase how made enough into need won because cancel benefit continues climb as since family greed activities one customer kids putting even or put just between membership fee added continue their why good mom damn yall restrict been loose be places much support parents choose unable this forth addresses already both needed able yet tracking upping save try expensive havent squeeze years fault something at stealing selection longer finally all drive tipped scales shouldn manservices market help goes competitive pick direction access earlier oneday date an service raise sorry these down continually billing what spending adding success opened got some elsewhere of lost fair declined went mind amounts huge warrant by being prefer wouldn cant duplicate wife cutting gf summer cost under replace policies restart has often pleased really wants change please expenses card far nothing were yearly disgusts health unnecessary email mistake never right benefits euro barely opening company redo platforms users allow year don expected done doesnt we week double divorce everything emails every drain waste drastically end each easily especially edge el eliminating entertainment entertaining way else due subscriptions extortion hacking virtue going gone value vaccine gotten gouging grandkids great ut greedy uses hacked hackednot had face half hand happy hard hardly having he her high higher hike hikes hiking history given give girl getting fact fan wanted feel fees feet few fiance financial financially first disgusting fixed flat focused food waiting forcing forever wait free frequent vs fuel future games garbage gas get fix creep discontinue wont aunt automatically away awhile back bank would became worth becoming workable before begin work without disappointed bf biannually biased biden biggest bill billings bills bit blindly willing boyfriend break broke aren ya apps aparently about absurd acceptance account accounts acct youll addition additional addtional adicional afford after again againlater agree alarming allowed almost also am amercian amount annually another anticonsumer any anymore anyways budget buggin business connected consolidating constant constantly continously continuous costs country courtesy covid credit horrible currency current currently customers cut dad well daughter day days deal death decisions delivering deteriorated didnt differences weeks consider compromised but compared bye can canceling cancelling cannot care cared caring caused cell changed changes changing who charged charges while where checking choice when city whats climbing college combine combining come coming holder instead hosehold temporary rate temporarily raises raised quickly quality terrible rather pushed provider profits profit profiles problem rates re owner reducing repurposing rent renewing remarried rejoin reflect reduce reactivate rectifying recession recently recent taste reality pricing than thank payment piracy phone personal person per thats paying president payday there past passed parent pagos thanks platform play playing pls point poland policy political politically pop popular por possible power preemptively prescription reside residence respect system soon son someone switching situation single significant she signaling sign sight sick shoves should span spend spouse spouses start started starting states stay stepdad stopped stopping stranger stupid sub subscriber subscribers short take talk ripped rules rule rotating rising risen rise ridiculous share return retiring retired resume resubscribe restriction run same saving scaling second secure see seems seen sense series taking servicio set settled several shady owning own house laid left leave learning layoff later last lack less unemployed kidding unfair keeps keeping unfortunately legacy lesser overpriced understand long lol locations location ll living little let limiting limited limit like life letting justify joint join ill increases increased upcoming income improvements upward us job idea husband hungry used households household increasing increasses increments inflation interested until intolerable iny is isn isnt issue issues unneeded its itself jacking looking losing lower time offset offered offer off tightening notified
Average topic coherence for the top words is -247751.15247476078
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.18it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.25it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.24it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.19it/s]
 10%|█         | 5/50 [00:00<00:08,  5.22it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.28it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.30it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.30it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.31it/s]
 20%|██        | 10/50 [00:01<00:07,  5.33it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.34it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.37it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.32it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.31it/s]
 30%|███       | 15/50 [00:02<00:06,  5.31it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.34it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.36it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.28it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.26it/s]
 40%|████      | 20/50 [00:03<00:05,  5.25it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.28it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.32it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.33it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.32it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.34it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.37it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.36it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.37it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.33it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.32it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.30it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.23it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.26it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.27it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.27it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.21it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.23it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.24it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.23it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.25it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.32it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.32it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.35it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.34it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.32it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.30it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.27it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.23it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.26it/s]
100%|██████████| 50/50 [00:09<00:00,  5.29it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.62it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.60it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.67it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.67it/s]
 10%|█         | 5/50 [00:00<00:06,  6.70it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.69it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.67it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.65it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.66it/s]
 20%|██        | 10/50 [00:01<00:06,  6.65it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.64it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.63it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.59it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.56it/s]
 30%|███       | 15/50 [00:02<00:05,  6.57it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.52it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.51it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.54it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.57it/s]
 40%|████      | 20/50 [00:03<00:04,  6.46it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.46it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.43it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.46it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.48it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.52it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.53it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.53it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.53it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.56it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.55it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.55it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.54it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.52it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.50it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.45it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.50it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.52it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.58it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.60it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.60it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.64it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.65it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.63it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.61it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.58it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.36it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.41it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.42it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.44it/s]
100%|██████████| 50/50 [00:07<00:00,  6.54it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.29it/s]
  4%|▍         | 2/50 [00:00<00:14,  3.36it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.40it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.40it/s]
 10%|█         | 5/50 [00:01<00:13,  3.42it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.43it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.45it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.45it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.47it/s]
 20%|██        | 10/50 [00:02<00:11,  3.48it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.50it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.51it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.51it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.54it/s]
 30%|███       | 15/50 [00:04<00:09,  3.54it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.52it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.53it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.53it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.52it/s]
 40%|████      | 20/50 [00:05<00:08,  3.51it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.50it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.48it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.48it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.48it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.43it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.44it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.46it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.46it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.47it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.49it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.49it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.50it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.51it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.50it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.51it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.50it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.51it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.51it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.51it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.51it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.52it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.52it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.53it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.52it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.53it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.54it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.47it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.48it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.49it/s]
100%|██████████| 50/50 [00:14<00:00,  3.49it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.76it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.74it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.75it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.75it/s]
 10%|█         | 5/50 [00:01<00:16,  2.75it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.75it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.76it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.76it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.76it/s]
 20%|██        | 10/50 [00:03<00:14,  2.77it/s]
 22%|██▏       | 11/50 [00:03<00:14,  2.77it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.76it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.75it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.76it/s]
 30%|███       | 15/50 [00:05<00:12,  2.77it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.77it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.76it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.75it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.75it/s]
 40%|████      | 20/50 [00:07<00:10,  2.74it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.72it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.72it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.71it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.70it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.71it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.73it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.74it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.74it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.75it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.76it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.75it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.75it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.76it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.76it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.76it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.76it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.76it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.76it/s]
 78%|███████▊  | 39/50 [00:14<00:03,  2.76it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.76it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.73it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.73it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.74it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.75it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.75it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.75it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.74it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.75it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.75it/s]
100%|██████████| 50/50 [00:18<00:00,  2.75it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.81it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.78it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.79it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.79it/s]
 10%|█         | 5/50 [00:02<00:25,  1.75it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.77it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.78it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.79it/s]
 18%|█▊        | 9/50 [00:05<00:22,  1.80it/s]
 20%|██        | 10/50 [00:05<00:22,  1.81it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.82it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.82it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.81it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.81it/s]
 30%|███       | 15/50 [00:08<00:19,  1.80it/s]
 32%|███▏      | 16/50 [00:08<00:19,  1.74it/s]
 34%|███▍      | 17/50 [00:09<00:22,  1.49it/s]
 36%|███▌      | 18/50 [00:10<00:22,  1.42it/s]
 38%|███▊      | 19/50 [00:11<00:21,  1.44it/s]
 40%|████      | 20/50 [00:11<00:20,  1.46it/s]
 42%|████▏     | 21/50 [00:12<00:19,  1.47it/s]
 44%|████▍     | 22/50 [00:13<00:18,  1.49it/s]
 46%|████▌     | 23/50 [00:14<00:18,  1.42it/s]
 48%|████▊     | 24/50 [00:14<00:18,  1.44it/s]
 50%|█████     | 25/50 [00:15<00:17,  1.44it/s]
 52%|█████▏    | 26/50 [00:16<00:16,  1.50it/s]
 54%|█████▍    | 27/50 [00:16<00:14,  1.55it/s]
 56%|█████▌    | 28/50 [00:17<00:14,  1.56it/s]
 58%|█████▊    | 29/50 [00:17<00:13,  1.50it/s]
 60%|██████    | 30/50 [00:18<00:13,  1.52it/s]
 62%|██████▏   | 31/50 [00:19<00:12,  1.51it/s]
 64%|██████▍   | 32/50 [00:19<00:11,  1.54it/s]
 66%|██████▌   | 33/50 [00:20<00:11,  1.54it/s]
 68%|██████▊   | 34/50 [00:21<00:10,  1.53it/s]
 70%|███████   | 35/50 [00:21<00:09,  1.57it/s]
 72%|███████▏  | 36/50 [00:22<00:08,  1.58it/s]
 74%|███████▍  | 37/50 [00:23<00:08,  1.58it/s]
 76%|███████▌  | 38/50 [00:23<00:07,  1.55it/s]
 78%|███████▊  | 39/50 [00:24<00:07,  1.53it/s]
 80%|████████  | 40/50 [00:25<00:06,  1.57it/s]
 82%|████████▏ | 41/50 [00:25<00:05,  1.59it/s]
 84%|████████▍ | 42/50 [00:26<00:05,  1.60it/s]
 86%|████████▌ | 43/50 [00:26<00:04,  1.60it/s]
 88%|████████▊ | 44/50 [00:27<00:03,  1.59it/s]
 90%|█████████ | 45/50 [00:28<00:03,  1.58it/s]
 92%|█████████▏| 46/50 [00:28<00:02,  1.55it/s]
 94%|█████████▍| 47/50 [00:29<00:01,  1.55it/s]
 96%|█████████▌| 48/50 [00:30<00:01,  1.55it/s]
 98%|█████████▊| 49/50 [00:30<00:00,  1.57it/s]
100%|██████████| 50/50 [00:31<00:00,  1.59it/s]

100%|██████████| 50/50 [00:00<00:00, 1041.64it/s]
Topic 0 | Coherence=-239019.98 | Top words= to back be will money need and the is price of with this have can increases just more for month saving cut change on break don deal when due customer taking ill continuous problem my changing expenses prices come keeps service payment billing ll in nonsense country end time losing move trying we date you try high long benefits few budget good save stop been off laid youll at addtional new tight job fuel got entertainment rise other upcoming resume all having almost keep help bit using another unable canceling me platform increased rent costs get no per else spending payday done really some less once awhile bank gas thats reflect next summer as these popular series times quality rotating piracy several discontinue something broke reducing feet dad weeks sharing months im repurposing week monetary cost might getting currency may retiring bills cutting biggest must second instead own climbing medical soon unneeded changed anticonsumer later want provider reality switching combining divorce layoff right would year had terrible fan combine wait iny fix history fixed holder fiance finally hiking hosehold first financial focused financially horrible flat improvements house isn expensive extortion extra face fact if fair idea income family husband hungry far fault fee feel huge how fees households household food frequent forcing hacking hacked guys greedy greed gf girl great give increasing given increasses go grandkids goes going increments gouging gone gonna inflation gotten hackednot half forever interested forth hikes hike free from higher intolerable her increase health he havent future has into hardly games garbage hard happy hand youre declined expected bill biased biannually bf between better benefit being begin before becoming because became barely away automatically biden billings aren blindly caring cared care card cant cannot cancelling cancel bye by but business buggin boyfriend both aunt are everything again afford adicional addresses additional addition adding added activities acct accounts account access acceptance absurd about after againlater apps agree aparently anyways anymore any annually an amounts amount amercian am also already allowed allow alarming caused cell changes drastically down double dont doesnt do disgusts disgusting disappointed direction different differences didnt deteriorated delivering issue drain drive charge duplicate every even euro especially entertaining enough emails email elsewhere eliminating el edge easily earlier each decisions death days day compromised competitive compared company coming college climb city choose choice checking cheaper charging charges charged connected consider consolidating credit daughter damn customers currently current creep covid constant courtesy continues continue continually continously constantly isnt loyal issues someone squeeze spouses spouse spend span sorry son so started situation single since significant signaling sign sight start starting it subscriber take system support success subscriptions subscription subscribers sub states stupid stranger stopping stopped stepdad stealing stay sick shoves shouldn resubscribe rule rising risen ripped ridiculous return retired restriction should restrict restart respect residence reside replace renewing rules run same scales short she share shady settled set servicio services sense selection seen seems see secure scaling talk taste temporarily warrant what were went well way waste was wants users wanted waiting vs virtue value vaccine ut whats where while who yet years yearly yall ya wouldn worth workable work wont won without willing wife why uses used temporary things today tired tipped tightening throughout through think thing use they there their that thanks thank than told too tooo town us upward upping up until unnecessary unfortunately unfair unemployed understand under two twice tried tracking remarried rejoin reduce means mistake mind merge memberships membership members member maybe luck married market many manservices making makes make mom moment monthly moved offer now notified nothing not nonesence non nice news newest never needed multiple much moving made loyalty offset kidding legacy left leave learning last lack kids kept your keeping justify joint join jacking itself its lesser let letting life lower lost loose looking longer lol locations location living live little limiting limited limit like offered often redo power profit profiles pricing president prescription prefer preemptively possible pls por pop politically political policy
Topic 1 | Coherence=-245428.07 | Top words= price the and for to with sharing extra no not your you will subscription increase hikes increases too more worth enough charging new pay an hike many in me longer continues has newest charge have subscriptions raised bye family year way my currently greedy money value greed from be of if long used constant better profiles climb fee while anymore good months high benefit paying loose recent keep added limited future won talk im prices parents cancel ridiculous issues expected support rate increasing renewing down over is drive shouldn market competitive creep pick continually declined manservices stopping go change increasses rise cost offset less each workable edge pushed system sight done every delivering point up going tired little when end allow card frequent justify college caring thank locations why especially where nice uses policy policies face daughter pleased acceptance anyways reside broke buggin iny dad pop covid day lower waiting squeeze ut until pls am re reality choice barely sub like rates increased don come situation restart different she hungry financial finally fiance feet few huge husband fees feel how gouging far idea interested it issue isnt expenses expensive isn extortion intolerable into instead ill fact inflation increments fair income fan improvements households fault financially household first happy gf he girl having give havent hardly given goes hard hand fix gone half gonna had hacking hackednot hacked got great grandkids health help getting get fixed flat focused gotten house food forcing forever hosehold forth free horrible holder history fuel hiking higher games garbage her gas guys youre everything biased bf between benefits being begin before been becoming because became bank back awhile away automatically biannually biden at biggest canceling can by but business budget break boyfriend both blindly bit bills billings billing bill aunt as even againlater after afford adicional addtional addresses additional addition adding activities acct accounts account access absurd about again agree aren alarming are apps aparently any anticonsumer another annually amounts amount amercian also already almost allowed all cancelling cannot cant doesnt divorce disgusts disgusting discontinue disappointed direction itself differences didnt deteriorated decisions death deal days date do dont care double euro entertainment entertaining emails email elsewhere else eliminating el easily earlier duplicate due drastically drain damn cutting cut customers combining combine climbing city choose checking cheaper charges charged changing changes changed cell caused cared coming company compared costs customer current currency credit courtesy country continuous compromised continue continously constantly consolidating consider connected its loyal jacking something spouse spending spend span sorry soon son someone start some so single since significant signaling sign spouses started shoves subscriber taste taking take switching summer success subscribers stupid starting stranger stopped stop stepdad stealing stay states sick should job ripped same run rules rule rotating rising risen right saving return retiring retired resume resubscribe restriction restrict save scales short service share shady several settled set servicio services series scaling sense selection seen seems see secure second temporarily temporary terrible want week we waste was warrant wants wanted wait well vs virtue vaccine using users use us weeks went than would youll yet years yearly yall ya wouldn work were wont without willing wife who whats what upward upping upcoming things time tightening tight throughout through this think thing unneeded they these there their thats that thanks times tipped today told unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried tracking town tooo respect residence repurposing might monthly month monetary moment mom mistake mind merge moved memberships membership members member medical means maybe move moving ok nonesence offered offer off now notified nothing nonsense non much next news never needed need must multiple may married making lack left leave learning layoff later last laid kids makes kidding kept keeps keeping just joint join legacy lesser let letting make made luck loyalty lost losing looking lol location ll living live limiting limit life often on replace prescription put provider profits profit problem pricing president prefer quality preemptively power possible por popular politically
Topic 2 | Coherence=-240291.16 | Top words= you the of charging extra price your share greedy many also to not because hikes subscriptions few past fan over years way me out money are fact that will my for raised with once only if it tried shady cant again almost offer cancel used this consider email pay months want makes reactivate dont give bye issue forever rectifying good back never grandkids subscription stay without come like too but hand getting company gotten lack selection being off moving damn rejoin far get times later expenses lol sick subscribers got these games playing town settled tired laid mind one girl ripped lost work households ya disgusts cancelling por adicional can prices yall caused pagos servicio combine temporarily reducing changing el under afford join country hacked need unnecessary cutting restart temporary greed new keeping constant job talk absurd kidding thank phone amounts manservices tightening holder forcing future fuel fault family face fair feel extortion expensive expected everything every fee frequent fees from food feet fiance finally free garbage financially first fix fixed flat forth focused financial half gas house how huge hungry husband idea ill im improvements in income increase increased increases increasing increasses increments inflation instead interested into intolerable iny is isn isnt issues its itself jacking household hosehold gf horrible given go goes going gone gonna gouging great guys hackednot hacking had euro happy hard hardly has have havent having he health help her high higher hike hiking history even youre especially cell biden biased biannually bf between better benefits benefit begin before been becoming became be barely bank awhile biggest bill billing buggin cared care card cannot canceling by business budget billings broke break boyfriend both blindly bit bills away automatically aunt adding agree againlater after addtional addresses additional addition added all activities acct accounts account access acceptance about alarming allow at anticonsumer as aren apps aparently anyways anymore any another allowed annually and an amount amercian am already caring change entertainment changed doesnt do divorce disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day don done double edge entertaining enough end emails elsewhere else eliminating easily down earlier each duplicate due drive drastically drain daughter date dad city competitive compared coming combining college climbing climb choose connected choice checking cheaper charges charged charge changes compromised consolidating cut covid customers customer currently current currency creep credit courtesy constantly costs cost continuous continues continue continually continously different loyal joint just spending spend span sorry soon son something someone some so situation single since significant signaling sign sight spouse spouses squeeze stranger switching support summer success subscriber sub stupid stopping start stopped stop stepdad stealing states starting started shoves shouldn should return rule rotating rising risen rise right ridiculous retiring run retired resume resubscribe restriction restrict respect residence rules same short sense she sharing several set services service series seen save seems see secure second scaling scales saving system take taking warrant went well weeks week we waste was wants what wanted waiting wait vs virtue value vaccine were whats using workable youll yet yearly year wouldn would worth wont when won willing wife why who while where ut uses taste things today tipped time tight throughout through think thing tooo they there their thats thanks than terrible told tracking users unneeded use us upward upping upcoming up until unfortunately try unfair unemployed understand unable two twice trying reside repurposing replace mistake move more monthly month monetary moment mom might much merge memberships membership members member medical means moved multiple may nonsense ok often offset offered now notified nothing nonesence must non no nice next news newest needed maybe married oneday leave life letting let lesser less legacy left learning limited layoff last kids kept keeps keep justify limit limiting market loose making make made luck loyalty lower losing looking little longer long locations location ll living live on ontario rent problem putting put pushed provider profits profit profiles pricing quickly president prescription prefer preemptively power possible popular
Topic 3 | Coherence=-240740.14 | Top words= my subscription and you about family extra with increase bill using the share that don like of to when price for money outside paying have want news states limit power idea are is company extortion disgusting taste has its greedy charge youre not me different but pay an already subscriptions in your kids even moving support husband bf he between daughter passed how dont fair away willing options agree great something this at sorry oneday earlier owner users get same living married wife another or hosehold time residence went multiple really cant what issues cannot us coming phone personal offered business we over since im back unable fault up signaling forcing spouse political stopped play newest joint billings virtue taking politically tired spouses higher as biased nonesence aunt person wont hungry summer seen fiance customers change cost now original going ontario apps next feet gotten am go goes guys allowed almost also greed grandkids got gone amounts gonna gouging amercian amount given good annually canceling give forth financially first bank fix awhile fixed automatically flat focused food aren forever aparently free girl frequent from anyways anymore fuel future games garbage gas allow anticonsumer getting gf any hand hacked increases inflation increments accounts acct increasses increasing increased hackednot activities added income adding improvements addition instead interested into intolerable iny account isn isnt issue access it acceptance absurd itself jacking job join ill if additional her hacking had half all happy hard hardly alarming againlater havent having again health help high huge after hike hikes afford hiking history holder horrible adicional house household households addtional addresses financial fees barely country competitive blindly compromised connected consider consolidating constant constantly continously continually continue continues continuous costs courtesy both covid credit creep bit currency current currently customer cut cutting dad damn date bills compared boyfriend days buggin cancel can card care cared caring caused bye cell changed changes by changing charged charges come charging budget cheaper checking choice choose city broke climb break climbing college combine combining day deal be being emails end enough entertaining entertainment especially euro benefits every everything expected expenses benefit expensive begin elsewhere face before fact been becoming fan far because fee feel became cancelling few finally email else death doesnt decisions declined delivering deteriorated didnt just billing direction disappointed discontinue biggest disgusts divorce do biden eliminating done double down biannually drain drastically drive due duplicate each better easily edge el differences loyal justify temporary spend span soon son someone some so situation single significant sign sight sick shoves shouldn should short spending squeeze start sub talk take system switching success subscribers subscriber stupid started stranger stopping stop stepdad stealing stay starting she sharing shady retiring rising risen rise ripped right ridiculous return retired rule resume resubscribe restriction restrict restart respect reside rotating rules several selection settled set servicio services service series sense seems run see secure second scaling scales saving save temporarily terrible keep than were well weeks week way waste was warrant wants wanted waiting wait vs value vaccine ut uses whats where while wouldn youll yet years yearly year yall ya would who worth workable work won without will why used use upward things tipped times tightening tight throughout through think thing told they these there their thats thanks thank today too upping understand upcoming until unneeded unnecessary unfortunately unfair unemployed under tooo two twice trying try tried tracking town repurposing replace rent renewing monetary moment mom mistake mind might merge memberships membership members member medical means maybe may market many month monthly months nice offer off notified nothing nonsense non no new more never needed need must much moved move manservices making makes layoff let lesser less legacy left leave learning later life last laid lack kidding kept keeps keeping letting limited make looking made luck loyalty lower lost losing loose longer limiting long lol locations location ll live little offset often ok profits raise quickly quality putting put pushed provider profit raises profiles problem pricing prices president prescription prefer
Topic 4 | Coherence=-238766.51 | Top words= and my in to subscription price different have use we increases need subscriptions two will with pay change is other ridiculous dont upcoming where live anticonsumer fee locations as on be you one that of me only service moved it services are want since cancel membership new mom places through lack won restrict acceptance money reality moving save boyfriend getting both house able addresses provider do go phone much am location but significant charges continues current benefit consolidating financial issues sharing time some so climb own short fees divorce unemployed poland than fiance emails double gotten free amercian amount same payment connected needed added aparently more using household wants having remarried cheaper our account gf multiple replace down ontario cell merge temporarily death redo months households country prefer scaling family platforms opening get come changes holder lol spend selection really payday willing opened sick bill right stealing repurposing hungry im focused increased flat increase fixed income improvements finally ill fix if increasing first idea husband financially increments increasses isn expenses expensive extortion itself its extra issue face isnt fact fair fan food iny far intolerable fault into interested feel instead feet few inflation huge hosehold how guys happy hand girl half had hacking hackednot give hacked given goes hardly greedy everything going gone greed great gonna good got grandkids hard gas for hikes forcing gouging forever horrible forth history frequent from fuel hiking hike has higher high her help future health games he havent garbage expected differences every better billing biggest biden biased biannually bf between benefits bills being begin before been becoming because became billings bit bank canceling caring cared care card cant cannot cancelling can blindly bye by business buggin budget broke break barely back even additional agree againlater again after afford adicional addtional addition all adding activities acct accounts access absurd about alarming allow awhile anymore away automatically aunt at aren apps anyways any allowed another annually an amounts also already almost caused changed changing direction done don doesnt disgusts disgusting discontinue disappointed job drastically didnt deteriorated delivering declined decisions deal days drain drive charge elsewhere euro especially entertainment entertaining enough end email else due eliminating el edge easily earlier each duplicate day daughter date combine consider compromised competitive compared company coming combining college damn climbing city choose choice checking charging charged constant constantly continously continually dad cutting cut customers customer currently currency creep credit covid courtesy costs cost continuous continue jacking youre join spouses stepdad stay states starting started start squeeze spouse stopped spending span sorry soon son something someone stop stopping single system thank terrible temporary taste talk taking take switching stranger support summer success subscribers subscriber sub stupid situation signaling thats ripped run rules rule rotating rising risen rise return scales retiring retired resume resubscribe restriction restart respect saving second sign several sight shoves shouldn should she share shady settled secure set servicio series sense seen seems see thanks the joint waste what were went well weeks week way was when warrant wanted waiting wait vs virtue value whats while ut wouldn youll yet years yearly year yall ya would who worth workable work wont without wife why vaccine uses their tight too told today tired tipped times tightening throughout town this think things thing they these there tooo tracking users unnecessary used us upward upping up until unneeded unfortunately tried unfair understand under unable twice trying try residence reside rent means mistake mind might memberships members member medical maybe monetary may married market many manservices making makes moment month made non off now notified nothing not nonsense nonesence no monthly nice next news newest never must move make luck renewing laid legacy left leave learning layoff later last kids lesser kidding kept keeps keeping keep justify just less let loyalty long your lower lost losing loose looking longer ll letting living little limiting limited limit like life offer offered offset pricing putting put pushed profits profit profiles problem prices quickly president prescription preemptively power possible por
Topic 5 | Coherence=-256147.94 | Top words= prices and the keep price you raising your of it is increasing for to in only this customer rates are will greedy like that time at me not just subscriber money up do with there long my no us increase customers terrible other anymore being feel alarming loyalty hike pricing addition months was stop care going about charges again re who we made take into what since high one enough wouldn means hiking begin leave understand cared were start rate has selection budget member before paying because on ll sharing if gone choose putting garbage service need even subscription or raised first thing moved higher every drastically than deteriorated ridiculous from when been span same letting elsewhere activities others out share constantly hacked years cancel return yall fault have things business happy hard already between limiting havent few someone goes stealing profits scales rules by finally direction tipped spending some services worth now kidding opportunity kids once household users any differences expensive success improvements againlater damn continually upping year twice without continously ill restriction put changes jacking became financially son tightening used days didnt let huge preemptively loyal stranger after absurd support won use canceling month moment focused disappointed amounts please aren annually try policy wait news next history access raises throughout stupid gouging single apps agree fix come too shoves using income memberships work lost subscriptions sub waste workable these everything system idea make original adding games future bank financial becoming gas fuel get barely aparently getting benefit frequent as automatically fixed flat food away feet forcing awhile back be forth aunt fiance free gf forever climbing girl give all hardly afford adicional having he addtional health help her addresses additional added acct hikes holder horrible accounts hosehold house account acceptance households allow hand allowed amount given anyways go anticonsumer another an gonna good got gotten amercian almost grandkids great greed am guys also hackednot hacking had half fees fair fee charging charged charge changing changed currently change cell caused caring cut cutting card dad cant date cannot cancelling daughter day can deal death decisions declined delivering current currency but creep college combine combining city coming company compared competitive compromised connected consider consolidating constant choice checking cheaper continue continues continuous cost costs country courtesy covid credit bye buggin benefits end bit bills billings billing entertaining entertainment bill especially euro biggest biden biased biannually bf expected expenses extortion extra face fact better climb family fan far blindly emails different email discontinue disgusting disgusts divorce broke doesnt don done dont double down drain break drive boyfriend due duplicate each earlier easily edge el eliminating else both how youre hungry seen several settled set servicio series sense seems she see secure second scaling saving save shady short rule so spouses spouse spend sorry soon something situation should significant signaling sign sight sick shouldn run rotating started recession rejoin reflect reducing reduce redo rectifying recently renewing recent reason really reality reactivate rather remarried rent rising resume risen rise ripped right retiring retired resubscribe replace restrict restart respect residence reside repurposing squeeze starting quickly value wants wanted want waiting vs virtue vaccine way ut uses upward upcoming until unneeded warrant week unfortunately willing youll yet yearly ya would wont wife weeks why while where whats went well unnecessary unfair states taking thanks thank temporary temporarily taste talk switching their summer subscribers stopping stopped stepdad stay thats they unemployed town under unable two trying tried tracking tooo think told today tired times tight through raise quality husband looking making makes luck lower losing loose longer many lol locations location living live little manservices market limit mind move more monthly monetary mom mistake might married merge membership members medical maybe may limited life much interested issues issue isnt isn iny intolerable instead itself inflation increments increasses increases increased im its job lesser last less legacy left learning layoff later laid join lack kept keeps keeping justify joint moving multiple pushed piracy pleased playing play platforms platform places pick point
Topic 6 | Coherence=-236473.09 | Top words= to not is charge you it my worth just so me your re good anyways she ut uses when and sign college daughter no thank after subscription have bye pay going extra in do raising that was profit starting additional but profiles for an last bill anymore life make year greedy ill card compromised charged because expensive keeping choice up without credit automatically allowed iny wanted told increase option shoves lost pop forcing face bank especially more nice dont prices subscriber currently need why put services needed forth fees with guys want has stepdad using one notified today monthly think constantly bills changed eliminating financial hacked yearly often situation use cost prefer used interested way expenses girl get go fair everything expected given give gf fact getting euro gas fuel garbage games fiance finally financially first fix fixed flat focused food few feet feel fee forever fault free frequent far fan from every family goes future even extortion youre gone increases into instead inflation increments increasses increasing increased isn income improvements im if idea husband intolerable isnt gonna justify lack kids kidding kept keeps keep joint issue join job jacking itself its issues hungry huge how hacking hardly hard happy hand half had hackednot households greed great grandkids gouging gotten got havent having he health help her high higher hike hikes hiking history holder horrible hosehold house household entertainment direction entertaining away biden biased biannually bf between better benefits benefit being begin before been becoming became be barely back biggest billing billings by care cant cannot cancelling canceling cancel can business bit buggin budget broke break boyfriend both blindly awhile aunt enough at againlater again afford adicional addtional addresses addition adding added activities acct accounts account access acceptance absurd about agree alarming all another as aren are apps aparently any anticonsumer annually allow amounts amount amercian am also already almost cared caring caused cell divorce disgusts disgusting discontinue disappointed different differences didnt deteriorated delivering declined decisions death deal days day date doesnt don done easily end emails email elsewhere else el edge earlier double each duplicate due drive drastically drain down damn dad cutting city company coming come combining combine climbing climb choose competitive checking cheaper charging charges changing changes change compared connected cut country customers customer current currency creep covid courtesy costs consider continuous continues continue continually continously constant consolidating laid loyal later spouses spending spend span sorry soon son something someone some single since significant signaling sight sick shouldn should spouse squeeze taking start system switching support summer success subscriptions subscribers sub stupid stranger stopping stopped stop stealing stay states started short sharing share shady rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart respect rules run same selection several settled set servicio service series sense seen save seems see secure second scaling scales saving take talk reside were well weeks week we waste warrant wants waiting wait vs virtue value vaccine users us upward upping went what taste whats youll yet years yall ya wouldn would workable work wont won willing will wife who while where upcoming until unneeded unnecessary tight throughout through this things thing they these there their the thats thanks than terrible temporary temporarily tightening time times twice unfortunately unfair unemployed understand under unable two trying tipped try tried tracking town tooo too tired residence repurposing layoff new must multiple much moving moved move months month money monetary moment mom mistake mind might merge memberships never newest opening news ontario only oneday once on ok offset offered offer off of now nothing nonsense nonesence non next membership members member medical location ll living live little limiting limited limit like letting let lesser less legacy left leave learning locations lol long making means maybe may married market many manservices makes longer made luck loyalty lower losing loose looking opened opportunity replace raises raise quickly quality putting pushed provider profits problem pricing price president prescription preemptively power possible por popular raised rate
Topic 7 | Coherence=-254600.77 | Top words= you it for and the to now people prices that charge my are subscription youre raising services cheaper other better keep kept using reason gonna out im just was if so charging only can your as afford time want extra anymore this pay going on have too more in months use guys many don at enough money cant by re another sharing up much right moved last they different am kids business continue job trying possible dont sense resubscribe decisions doesnt making well go city something spend stop live inflation got intolerable unfair yet see currency away lost keeps but make because increase wife cut thanks from waste left passed courtesy squeeze costs caused account through of biden president divorce even thank changed she try do when rising someone what learning rather reduce think tight would willing spending location continues raise bills had country get opened save second longer mistake mom upping duplicate euro we cost justify increases options been warrant cannot month adding hacking current any vaccine due parent owning looking hacked food hand break start recession take acct moving interested gas play fixed declined far ill never not card college increasses fuel activities gf girl give given all garbage games future getting forever increments allow few fiance instead finally financial added financially first fix husband almost flat focused hungry allowed forcing goes forth free frequent about alarming high increasing huge addtional acceptance feet holder access history hiking hard hikes addresses hardly has additional havent hike addition improvements having accounts he health higher help happy half horrible good how agree her gone increased households againlater again after absurd adicional hackednot household house gotten gouging grandkids great greed greedy hosehold income idea benefits fees compared charges bank back checking choice choose climb awhile climbing combine combining come coming company automatically barely competitive compromised connected consider consolidating constant constantly continously continually aunt continuous covid credit creep charged changing feel budget between bf biannually biased biggest bill billing billings bit blindly both boyfriend broke being buggin changes begin bye before cancel canceling cancelling becoming care cared caring cell change became be aren currently customer every amounts easily edge el eliminating else elsewhere email emails end benefit entertaining entertainment especially everything customers expected expenses expensive extortion amercian also face fact fair already family fan fault fee earlier each drive an cutting dad damn date daughter day days deal death into apps delivering deteriorated aparently didnt differences anyways direction disappointed discontinue disgusting disgusts anticonsumer annually done double down drain drastically amount loyal iny signaling soon son some situation single since significant sign support sight sick shoves shouldn should short share sorry span spouse spouses success subscriptions subscribers subscriber sub stupid stranger stopping stopped stepdad stealing stay states starting started shady several settled ripped return retiring retired resume restriction restrict restart respect residence reside repurposing replace rent renewing remarried ridiculous rise set risen servicio service series selection seen seems secure scaling scales saving same run rules rule rotating summer switching is wanted whats were went weeks week way wants waiting system wait vs virtue value ut uses users where while who why youll years yearly year yall ya wouldn worth workable work wont won without with will used us upward tipped tightening throughout things thing these there their thats than terrible temporary temporarily taste talk taking times tired upcoming today until unneeded unnecessary unfortunately unemployed understand under unable two twice tried tracking town tooo told rejoin reflect reducing medical mind might merge memberships membership members member means redo me maybe may married market manservices makes moment monetary monthly move notified nothing nonsense nonesence non no nice next news newest new needed need must multiple made luck loyalty legacy layoff later laid lack kidding keeping joint join jacking itself its issues issue isnt isn leave less lower lesser losing loose long lol locations ll living little limiting limited limit like life letting let off offer offered profit problem pricing price prescription prefer preemptively power por popular pop politically political
 17%|█▋        | 8/48 [15:44<1:29:13, 133.83s/it]
Topic 8 | Coherence=-255613.17 | Top words= too price is and it the many your expensive much for now you not prices good be am going increase access are why worth subscription keep to luck service checking increments we canceling increasing seems where year after has or greed me will other entertaining biannually increases options company far up no consider ill new like but added married getting my keeps charges was don cost fees use this got subscriptions when so upward unfortunately amount really quality nothing their tracking way people how others its should times everything need every what ok willing rules been high rising already afford life about started fixed stupid else hardly husband memberships income they better two vs switching services compared money garbage isnt cant half given hikes blindly offered horrible never later think offer activities her paying members respect raised went rule last down run legacy maybe increased adding thanks right charged becoming customer benefits recently drain accounts sign longer itself wife lesser currently consolidating non quickly retired before own risen as often whats nonsense barely combining isn raise ll secure membership set sharing overpriced easily summer hackednot fee had prescription tooo health fix flat broke entertainment agree hike warrant different lol extra finally hosehold holder financial financially house few increasses if in improvements face fact im fair family fan fault household idea feel hungry first feet fiance huge households gone forever history greedy hand hacking get extortion guys gf girl great focused give go grandkids gouging goes gotten gonna happy hard gas have food hiking forcing higher forth free help frequent from he having fuel future games havent hacked youre expenses budget boyfriend both bit bills billings billing bill biggest biden biased bf between benefit being begin break buggin became business changes changed change cell caused caring cared care card cannot cancelling cancel can bye by because bank charge also allowed allow all alarming againlater again adicional addtional addresses additional addition acct account acceptance absurd almost amercian back amounts awhile away automatically aunt at aren apps aparently anyways anymore any anticonsumer another annually an changing charging expected double done doesnt do divorce disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions dont drastically inflation drive even euro especially enough end emails email elsewhere eliminating el edge earlier each duplicate due death days cheaper continue continously constantly constant connected compromised competitive coming come combine college climbing climb city choose choice continually continues day continuous daughter date damn dad cutting cut customers current currency creep credit covid courtesy country costs deal loyal instead situation span sorry soon son something someone some single interested since significant signaling sight sick shoves shouldn spend spending spouse spouses success subscribers subscriber sub stranger stopping stopped stop stepdad stealing stay states starting start squeeze short she share ridiculous retiring resume resubscribe restriction restrict restart residence reside repurposing replace rent renewing remarried rejoin reflect return ripped shady rise several settled servicio series sense selection seen see second scaling scales saving save same rotating support system take well week waste wants wanted want waiting wait virtue value vaccine ut using uses users used weeks were upping while youll yet years yearly yall ya wouldn would workable work wont won without with who us upcoming taking tightening throughout through things thing these there thats that thank than terrible temporary temporarily taste talk tight time until tipped unneeded unnecessary unfair unemployed understand under unable twice trying try tried town told today tired reducing reduce redo moment mistake mind might merge member medical means may market manservices making makes make made loyalty mom monetary lost month notified nonesence nice next news newest needed must multiple moving moved move more months monthly lower losing off laid kids kidding kept keeping justify just joint join job jacking issues issue iny intolerable into lack layoff loose learning looking long locations location living live little limiting limited limit letting let less left leave of offset rectifying profiles pricing president prefer preemptively power possible por popular pop politically political policy
Average topic coherence for the top words is -245231.20232033802
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.41it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.42it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.40it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.35it/s]
 10%|█         | 5/50 [00:00<00:08,  5.36it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.38it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.36it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.30it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.29it/s]
 20%|██        | 10/50 [00:01<00:07,  5.31it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.34it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.37it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.37it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.34it/s]
 30%|███       | 15/50 [00:02<00:06,  5.37it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.37it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.38it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.33it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.34it/s]
 40%|████      | 20/50 [00:03<00:05,  5.36it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.37it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.36it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.36it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.38it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.32it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.31it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.33it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.36it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.30it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.35it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.38it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.40it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.38it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.36it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.34it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.38it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.32it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.32it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.17it/s]
 80%|████████  | 40/50 [00:07<00:02,  4.98it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.10it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.18it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.23it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.27it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.30it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.34it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.37it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.37it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.40it/s]
100%|██████████| 50/50 [00:09<00:00,  5.33it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.85it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.82it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.77it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.75it/s]
 10%|█         | 5/50 [00:00<00:06,  6.73it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.74it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.75it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.76it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.76it/s]
 20%|██        | 10/50 [00:01<00:05,  6.79it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.79it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.78it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.80it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.64it/s]
 30%|███       | 15/50 [00:02<00:05,  6.69it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.58it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.64it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.65it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.71it/s]
 40%|████      | 20/50 [00:02<00:04,  6.75it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.77it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.76it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.76it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.77it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.77it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.76it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.73it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.72it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.74it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.75it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.75it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.75it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.78it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.76it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.77it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.77it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.74it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.73it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.73it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.67it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.63it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.65it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.67it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.71it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.74it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.78it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.79it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.79it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.80it/s]
100%|██████████| 50/50 [00:07<00:00,  6.74it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.58it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.59it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.63it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.63it/s]
 10%|█         | 5/50 [00:01<00:12,  3.61it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.60it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.60it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.60it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.59it/s]
 20%|██        | 10/50 [00:02<00:11,  3.59it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.59it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.60it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.57it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.56it/s]
 30%|███       | 15/50 [00:04<00:09,  3.57it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.53it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.54it/s]
 36%|███▌      | 18/50 [00:05<00:08,  3.58it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.58it/s]
 40%|████      | 20/50 [00:05<00:08,  3.57it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.59it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.60it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.61it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.59it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.59it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.60it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.59it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.56it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.57it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.56it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.58it/s]
 64%|██████▍   | 32/50 [00:08<00:05,  3.57it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.57it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.59it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.58it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.59it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.60it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.61it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.57it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.59it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.60it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.59it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.59it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.60it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.60it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.60it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.61it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.61it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.63it/s]
100%|██████████| 50/50 [00:13<00:00,  3.59it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.70it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.65it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.70it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.69it/s]
 10%|█         | 5/50 [00:01<00:16,  2.70it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.73it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.73it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.72it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.71it/s]
 20%|██        | 10/50 [00:03<00:14,  2.73it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.75it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.76it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.77it/s]
 28%|██▊       | 14/50 [00:05<00:12,  2.78it/s]
 30%|███       | 15/50 [00:05<00:12,  2.75it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.75it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.76it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.76it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.77it/s]
 40%|████      | 20/50 [00:07<00:10,  2.77it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.73it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.75it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.75it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.76it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.73it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.75it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.76it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.77it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.72it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.74it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.76it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.76it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.77it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.76it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.76it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.75it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.73it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.74it/s]
 78%|███████▊  | 39/50 [00:14<00:03,  2.75it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.77it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.77it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.78it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.74it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.76it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.76it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.76it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.76it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.74it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.71it/s]
100%|██████████| 50/50 [00:18<00:00,  2.74it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.83it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.81it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.81it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.81it/s]
 10%|█         | 5/50 [00:02<00:24,  1.81it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.81it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.81it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.78it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.79it/s]
 20%|██        | 10/50 [00:05<00:22,  1.80it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.79it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.80it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.78it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.73it/s]
 30%|███       | 15/50 [00:08<00:20,  1.71it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.72it/s]
 34%|███▍      | 17/50 [00:09<00:19,  1.74it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.76it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.77it/s]
 40%|████      | 20/50 [00:11<00:16,  1.78it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.78it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.79it/s]
 46%|████▌     | 23/50 [00:12<00:15,  1.80it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.80it/s]
 50%|█████     | 25/50 [00:14<00:13,  1.80it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.81it/s]
 54%|█████▍    | 27/50 [00:15<00:12,  1.81it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.82it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.82it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.80it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.81it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.82it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.83it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.83it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.82it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.81it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.81it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.80it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.81it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.81it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.82it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.83it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.83it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.83it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.83it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.83it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.83it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.83it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.83it/s]
100%|██████████| 50/50 [00:27<00:00,  1.80it/s]

100%|██████████| 50/50 [00:00<00:00, 1514.97it/s]
Topic 0 | Coherence=-249113.24 | Top words= prices you increasing and price your keep it are after raising year like is for to greedy other customer at new company the time only long rates of or far biannually starting entertaining profit additional we subscriber no options terrible increase increases feel there loyalty alarming profiles much addition going pricing seems last not consider charges stop ill will too dont charge expensive so many sharing just guys has need more do being put business continually services damn why well making that decisions with resubscribe sense in doesnt needed one make good forth others every want into off finally direction goes scales tipped raise selection compared switching some tired greed these changes users expenses worth value when delivering extra success while reducing laid upping support little point rule stupid sick second playing money by games subscribers lol lost made me huge issues mind from policy loyal care agree amounts paying disgusts choose yall please discontinue loose weeks higher ripped rising virtue political restart continue policies pleased since signaling email several under opportunity financial help on added won change twice having lower wont nothing nonesence pls absurd unneeded workable months aren increased warrant service continues high her husband hungry forcing forever any anticonsumer free frequent another annually accounts fuel idea acct how future an households household house garbage gas anymore aparently anyways im aunt about income fees feet few fiance acceptance as improvements financially amount access if first account fix apps fixed flat focused food get getting health had hiking againlater again hikes afford hike adicional hacked hackednot hacking addtional gf half hand happy addresses hard hardly adding have havent he great history holder fee girl give given go amercian am also gone gonna hosehold activities got horrible already gotten almost gouging allowed allow grandkids all automatically fact away fault bye continuous cost but costs country courtesy covid credit creep currency current currently buggin customers cut budget cutting dad broke date day days deal death break declined boyfriend both continously constantly constant combine changed charged cell charging cheaper checking choice caused city climb climbing college caring cared consolidating combining card come coming cant cannot cancelling canceling competitive compromised connected cancel can deteriorated blindly didnt expected eliminating else elsewhere emails end enough before entertainment especially euro even been everything becoming edge because extortion became face changing be barely fair bank back family fan awhile el easily differences between bit different bills disappointed billings disgusting billing bill divorce biggest biden biased bf don earlier done better double down drain drastically drive benefits due benefit begin duplicate each daughter youre increasses span soon son something someone situation single significant sign sight shoves shouldn should short she share sorry spend system spending subscriptions subscription sub stranger stopping stopped stepdad stealing stay states started start squeeze spouses spouse shady settled set servicio resume restriction restrict respect residence reside repurposing replace rent renewing remarried rejoin reflect reduce redo retired retiring return save series seen see secure scaling saving same ridiculous run rules rotating risen rise right summer take increments week waste was wants wanted waiting wait vs vaccine ut using uses used use us upward way went taking were youll yet years yearly ya wouldn would work without willing wife who where whats what upcoming up until unnecessary through this think things thing they their thats thanks thank than temporary temporarily taste talk throughout tight tightening trying unfortunately unfair unemployed understand unable two try times tried tracking town tooo told today rectifying recession recently members medical means maybe may married market manservices makes luck losing looking longer locations location ll member membership recent memberships never my must multiple moving moved move monthly month monetary moment mom mistake might merge living live limiting limited justify joint join job jacking itself its issue isnt isn iny intolerable interested instead inflation keeping keeps kept legacy limit life letting let lesser less left kidding leave learning layoff later lack kids newest news next personal prefer preemptively power possible por popular pop politically poland play
Topic 1 | Coherence=-251507.81 | Top words= price the and is you your increase too be not many worth good to subscription for why access am with canceling increases increments luck checking keep greed it now more where we raising no currently up will enough me service anymore money are when saving have can greedy people life make just prices iny especially shoves nice pop choice keeping face forcing deal year times continuous problem but lost longer share every really constant garbage so subscriber time expensive used us about paying seems need tracking their quality sharing how customers cost added they customer nothing letting or amount gotten ridiculous ok going because value this pay less any its started rate creep stopping isnt what summer hike horrible blindly without done was been respect run dad differences members improvements legacy better down should jacking days limited coming justify play popular series went agree talk kidding recent often outside offered isn sight gouging cannot biggest afford happy activities health ll right resume cut broke flat end later squeeze limit spending fixed focused few im ill fiance hungry first fix husband finally financial if feet financially idea fault fees fair expenses intolerable into extortion extra interested instead inflation fact family feel increasses fan increasing far increased income in food fee huge forth households hacking has hardly hard gf hand half girl had give given havent hackednot go goes hacked guys great grandkids gone gonna getting get household fuel house hosehold forever got free holder history frequent from hiking gas future games hikes higher high her help he having expected youre everything benefits billing bill biden biased biannually bf between benefit change being begin before becoming became barely bank billings bills bit both caused caring cared care card cant cancelling cancel bye by business buggin budget break boyfriend back awhile away allow alarming againlater again after adicional addtional addresses additional addition adding acct accounts account acceptance absurd all allowed automatically almost aunt at as aren apps aparently anyways anticonsumer another annually an amounts amercian also already cell changed even discontinue dont don doesnt do divorce disgusts disgusting disappointed changes direction different didnt deteriorated declined decisions death double drain drastically drive euro entertainment entertaining emails email elsewhere else eliminating el edge easily earlier each duplicate due day daughter date competitive company come combining combine college climbing climb city choose cheaper charging charges charged charge changing compared compromised damn connected cutting current currency credit covid courtesy country costs continues continue continually continously constantly consolidating consider delivering loyal issue something spouses spouse spend span sorry soon son someone shouldn some situation single since significant signaling sign start starting states stay taking take system switching support success subscriptions subscribers sub stupid stranger stopped stop stepdad stealing sick short temporarily resubscribe rising risen rise ripped return retiring retired restriction she restrict restart residence reside repurposing replace rent rotating rule rules same shady several settled set servicio services sense selection seen see secure second scaling scales save taste temporary remarried want weeks week way waste warrant wants wanted waiting use wait vs virtue vaccine ut using uses well were whats while youll yet years yearly yall ya wouldn would workable work wont won willing wife who users upward terrible things tired tipped tightening tight throughout through think thing upping these there thats that thanks thank than today told tooo town upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried renewing rejoin issues mom moved move months monthly month monetary moment mistake maybe mind might merge memberships membership member medical moving much multiple must offset offer off of notified nonsense nonesence non next news newest new never needed my means may once laid let lesser left leave learning layoff last lack married kids kept keeps joint join job itself like limiting little live market manservices making makes made loyalty lower losing loose looking long lol locations location living on one reflect prefer provider profits profit profiles pricing president prescription preemptively point power possible por politically political
Topic 2 | Coherence=-244634.37 | Top words= and my you subscription extra for charge in is re no when with to going will your bye good ut anyways thank college sign uses daughter sharing it she not worth price be family back more different im that on don using two live won if need raising are got kids of increases another use longer married support pay taking take city intolerable husband break constantly business an unfair parents can both addresses able recent memberships talk limited elsewhere gonna laid subscriber off moved get ll kept payday resume profits who done fee declined spending son frequent changing just bank allow opportunity services continues rise recently feet kidding thats profiles inflation broke next value less idea over every rising costs might expected cutting joint subscriptions policy recession currently go only spouses the food card opening gas summer limit enough paying flat am jacking financial goes annually amounts gone itself finally aparently amount amercian also anymore already gotten gouging fiance grandkids almost great greed greedy allowed guys given financially give apps fixed join about forcing forever forth free any absurd focused job from fuel future games garbage hacked anticonsumer getting gf acceptance fix first girl iny hackednot additional house household again households how huge hungry after isn afford ill adicional addtional improvements income hacking increase increased addition adding increasing increasses increments added account activities instead interested acct into hosehold horrible holder history accounts half its all hand happy hard hardly access alarming has few agree have havent having he health help her high higher issues issue hike isnt againlater hikes hiking had budget fees better consider connected compromised competitive compared company coming choose come combining combine between climbing climb benefits benefit consolidating constant being continously continually continue continuous cost country courtesy covid credit creep currency current bf biannually customers cancel cannot bill cancelling billing canceling billings bills choice bit blindly boyfriend by but buggin cant care cared caring caused cell change changed changes biggest biden charged charges biased charging cheaper checking customer cut feel away entertainment entertaining end automatically emails email else duplicate eliminating el edge easily earlier awhile aunt especially euro even everything expenses expensive extortion at face fact fair as fan far fault aren each due dad decisions differences didnt deteriorated delivering been before death drive deal days day begin date damn becoming direction justify discontinue disgusting disgusts divorce do doesnt because became dont double barely down drain drastically disappointed youre keep thanks start squeeze spouse spend span sorry soon something someone some so situation single since significant signaling sight started starting states subscribers terrible temporary temporarily taste system switching success sub stay stupid stranger stopping stopped stop stepdad stealing sick shoves shouldn right same run rules rule rotating risen ripped ridiculous saving return retiring retired resubscribe restriction restrict restart save scales should service short share shady several settled set servicio series scaling sense selection seen seems see secure second than their keeping there were went well weeks week we way waste was warrant wants wanted want waiting wait vs virtue what whats where wouldn youll yet years yearly year yall ya would while workable work wont without willing wife why vaccine users used tight told today tired tipped times time tightening throughout tooo through this think things thing they these too town us unfortunately upward upping upcoming up until unneeded unnecessary unemployed tracking understand under unable twice trying try tried respect residence reside repurposing multiple much moving move months monthly month money monetary moment mom mistake mind merge membership members member must needed never now one once ok often offset offered offer notified new nothing nonsense nonesence non nice news newest medical means me legacy little limiting like life letting let lesser left location leave learning layoff later last lack keeps living locations maybe made may market many manservices making makes make luck lol loyalty lower lost losing loose looking long oneday ontario opened problem quickly quality putting put pushed provider profit pricing raised prices president prescription prefer preemptively power possible
Topic 3 | Coherence=-236511.99 | Top words= to back need be will this the with of just money prices subscriptions only cut other for in about subscription high ll month have enough time care us you one greedy re leave up were wouldn understand begin hiking cared means again and on being start that end what dont break keep moved when we expenses ill move payment take due if some taking paying costs before rise even trying two save using things house customers come entertainment having fuel do first almost bit getting increased platform significant saving rate rent another per households at own garbage gas else divorce awhile tight financially there combining accounts rotating these hard can combine sight sub continues later customer married something cancel disappointed piracy than apps aparently news don remarried looking monetary our repurposing multiple many merge must lol more instead retiring reside family join soon off currently layoff stepdad service interested double year amounts amount gonna also good got am gotten gouging grandkids great anyways greed anymore amercian guys hacked hand any going hackednot half anticonsumer annually hacking had an gone cheaper goes are flat focused been food becoming forcing forever because forth became free frequent from barely future games bank away automatically get aunt as aren gf girl give given go already happy allow hardly into added im improvements activities income increase acct increases increasing increasses increments inflation account intolerable addition access iny is isn isnt issue issues it its acceptance itself absurd jacking adding additional has after allowed fix havent all he health help alarming her agree higher againlater hike hikes idea afford history holder horrible hosehold adicional household addtional how huge hungry addresses husband fixed financial benefit benefits credit creep currency current cell caused caring card cutting dad cant damn date daughter day days deal death decisions cannot cancelling declined job delivering canceling deteriorated didnt differences different change changed covid competitive choice choose city charging climb climbing college charges charged charge coming company compared compromised courtesy connected consider consolidating constant constantly continously continually continue changing continuous cost changes country direction bye discontinue far bill every everything expected biggest expensive extortion extra face fact fair biden fan biased especially fault biannually fee feel fees feet bf few between better fiance finally checking euro billing disgusting boyfriend disgusts by but doesnt business buggin done budget broke down drain drastically drive duplicate entertaining each earlier easily edge el eliminating both elsewhere blindly email emails bills billings youre loyal joint situation spending spend span sorry son someone so single spouses since signaling sign sick shoves shouldn should spouse squeeze she stupid system switching support summer success subscribers subscriber stranger started stopping stopped stop stealing stay states starting short sharing taste resume rising risen ripped right ridiculous return retired resubscribe rules restriction restrict restart respect residence replace renewing rule run share sense shady several settled set servicio services series selection same seen seems see secure second scaling scales talk temporarily justify warrant went well weeks week way waste was wants where wanted want waiting wait vs virtue value whats while ut worth youll yet years yearly yall ya would workable who work wont won without willing wife why vaccine uses temporary through told today tired tipped times tightening throughout think tooo thing they their thats thanks thank terrible too town users unnecessary used use upward upping upcoming until unneeded unfortunately tracking unfair unemployed under unable twice try tried rejoin reflect reducing might moving months monthly moment mom mistake mind memberships my membership members member medical me maybe may much needed manservices not often offset offered offer now notified nothing nonsense never nonesence non no nice next newest new market making reduce learning life letting let lesser less legacy left last limit laid lack kids kidding kept keeps keeping like limited makes losing make made luck loyalty your lower lost loose limiting longer long locations location living live little ok once oneday president provider profits profit profiles problem pricing price prescription put prefer preemptively power possible por popular
Topic 4 | Coherence=-225708.44 | Top words= my subscription and in an to so has is pay that was it have not just because with already me bill ill but do card we compromised charged without after told option allowed automatically credit wanted bank are keep moving subscriptions one been he bf hacked from married husband much got years yall life dont havent stealing money wife on anymore everything fiance getting used else stepdad her boyfriend being notified only own consolidating share stranger today what think fault by uses someone like household anyways spouse needed daughter now declined customer ut seen free hikes yearly college waiting until day acct go prefer amount eliminating payday member gf repurposing support fair gonna every face fact expected expensive girl give given gone going get extortion expenses goes extra food family fan focused flat for forcing fixed forever fix forth first frequent financially financial finally fuel future games garbage gas few feet good fees feel fee far youre help gotten interested issue isnt isn iny intolerable into instead income inflation increments increasses increasing increases increased issues its itself jacking job join joint justify keeping keeps kept kidding kids lack laid last later increase improvements gouging had having hardly hard happy hand half hacking im hackednot guys greedy greed great grandkids health euro high higher hike hiking history holder horrible hosehold house households how huge hungry idea if even disappointed especially entertainment bit bills billings billing biggest biden biased biannually between better benefits benefit begin before becoming became be blindly both break cannot change cell caused caring cared care cant cancelling broke canceling cancel can bye business buggin budget barely back awhile adding again afford adicional addtional addresses additional addition added agree activities accounts account access acceptance absurd about againlater alarming away anticonsumer aunt at as aren apps aparently any another all annually amounts amercian am also almost allow changed changes changing different doesnt divorce disgusts disgusting discontinue learning direction differences done didnt deteriorated delivering decisions death deal days don double damn edge entertaining enough end emails email elsewhere el easily down earlier each duplicate due drive drastically drain date dad charge climbing competitive compared company coming come combining combine climb consider city choose choice checking cheaper charging charges connected constant cutting courtesy cut customers currently current currency creep covid country constantly costs cost continuous continues continue continually continously layoff loyal leave squeeze spending spend span sorry soon son something some situation single since significant signaling sign sight sick shoves spouses start should started talk taking take system switching summer success subscribers subscriber sub stupid stopping stopped stop stay states starting shouldn short temporarily same rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart run save she saving sharing shady several settled set servicio services service series sense selection seems see secure second scaling scales taste temporary residence whats went well weeks week way waste warrant wants want wait vs virtue value vaccine using users use were when upward where youll you yet year ya wouldn would worth workable work wont won willing will why who while us upping terrible tipped time tightening tight throughout through this things thing they these there their the thats thanks thank than times tired upcoming too up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried tracking town tooo respect reside left nice news newest new never need must multiple moved move more months monthly month monetary moment mom mistake next no might non options opportunity opening opened ontario oneday once ok often offset offered offer off of nothing nonsense nonesence mind merge original loose longer long lol locations location ll living live little limiting limited limit letting let lesser less legacy looking losing memberships lost membership members medical means maybe may market many manservices making makes make made luck loyalty your lower or other replace rate raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing prices price president raising rates preemptively
Topic 5 | Coherence=-250867.75 | Top words= the you for are to that price if people not it only prices charge out was youre using increase keep better raising kept reason charging cheaper gonna other services im so your now and me will pay want sharing bye is this of good consider again getting from willing but too fact just give issue makes never email forever reactivate rectifying something come am months be got much back hikes guys subscriptions my what afford hand can stop greed they because service think through provider support options loose fee cant great way lack drive once manservices market pick last competitive shouldn should selection phone limiting get high household moving down half fair after far consolidating rejoin use charged settled elsewhere how even charges ya sign greedy connected married justify caring girl paying anymore cost living dont single biased access thank future cell start original politically been several us year has about games gf jacking amercian job garbage given amount gas fuel itself go its idea account amounts fault joint feel fees feet few fiance join finally financial financially accounts first fix annually fixed flat focused food going forcing an forth free frequent goes isn gone horrible health increasing help her increases increased higher hike absurd hiking history holder hosehold he allow house income in households improvements alarming all huge hungry ill acceptance increasses fan issues allowed also already almost againlater gotten gouging grandkids isnt husband hacked hackednot hacking had havent agree iny intolerable happy into interested instead hard inflation hardly increments have having away family aren choice checking addresses added changing changes changed change caused cared care card cannot cancelling canceling choose city climb apps anyways continually continously constantly constant aparently compromised climbing compared company coming combining combine college cancel by continues as biannually bf additional between aunt automatically benefits benefit being begin before becoming became barely bank biden biggest bill boyfriend business buggin budget broke break adding addition billing both blindly bit bills billings at continue continuous another done anticonsumer else eliminating el edge easily earlier any each duplicate due drastically drain addtional double awhile emails end everything face extra extortion expensive expenses expected every enough euro especially acct activities entertainment entertaining adicional don costs doesnt date damn dad cutting cut customers customer currently current currency creep credit covid courtesy country daughter day days different do divorce disgusts disgusting discontinue direction differences deal didnt deteriorated delivering declined decisions death disappointed loyal keeping terrible states starting started squeeze spouses spouse spending spend span sorry soon son someone some situation since significant stay stealing stepdad summer temporarily taste talk taking take system switching success stopped subscription subscribers subscriber sub stupid stranger stopping signaling sight sick ridiculous rule rotating rising risen rise ripped right return run retiring retired resume resubscribe restriction restrict restart rules same shoves sense short she share shady set servicio series seen save seems see secure second scaling scales saving temporary than keeps thanks whats were went well weeks week we waste warrant wants wanted waiting wait vs virtue value vaccine when where while worth youll yet years yearly yall wouldn would workable who work wont won without with wife why ut uses users tightening tooo told today tired tipped times time tight tracking throughout things thing these there their thats town tried used unfortunately upward upping upcoming up until unneeded unnecessary unfair try unemployed understand under unable two twice trying respect residence reside repurposing multiple moved move more monthly month money monetary moment mom mistake mind might merge memberships membership members must need needed nothing ok often offset offered offer off notified nonsense new nonesence non no nice next news newest member medical means legacy limit like life letting let lesser less left little leave learning layoff later laid kids kidding limited live maybe lower may many making make made luck loyalty lost ll losing looking longer long lol locations location on one oneday profiles quickly quality putting put pushed profits profit problem raised pricing president prescription prefer preemptively power possible
Topic 6 | Coherence=-238675.44 | Top words= to and the price increases in of my have change is different me will ridiculous upcoming subscription where want you pay this months use we anticonsumer locations fee that since new country has increase kids cancel need be back made or already putting activities sharing customer membership acceptance service reality two between moved money mom with choose location out even into lack as restrict places changed anymore come currency stop addtional youll billing budget up live moving current expensive one few other over went date oneday sorry earlier member how subscriptions another payment pushed edge try tired became once she short boyfriend many emails town expenses wants twice fair too ontario system financial cheaper same amount double may history week throughout replace raises everything unable profits covid unnecessary situation do redo broke cutting are gf switching second ill time caused reflect due business terrible provider raised newest retiring when bit own work buggin sick feet fan family fault far feel fact forth fees free fixed forever fiance finally flat expected face extra forcing extortion financially for food first fix focused youre hacked frequent health husband hungry huge households household house hosehold horrible holder hiking hikes hike higher high her idea if im interested issues issue isnt isn iny intolerable instead improvements inflation increments increasses increasing increased income help he from having gonna gone going goes go given give girl getting get gas garbage games future fuel good got gotten had havent hardly hard happy hand half hacking gouging hackednot guys greedy greed great grandkids every decisions euro benefit biggest biden biased biannually bf better benefits being especially begin before been becoming because barely bank bill billings bills blindly cell caring cared care card cant cannot cancelling canceling can bye by but break both awhile away automatically agree again after afford adicional addresses additional addition adding added acct accounts account access absurd about againlater alarming aunt all at aren apps aparently anyways any annually an amounts amercian am also almost allowed allow changes changing charge done doesnt divorce disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined its death deal don dont day down entertainment entertaining enough end email elsewhere else eliminating el easily each duplicate drive drastically drain days daughter charged consider compromised competitive compared company coming combining combine college climbing climb city choice checking charging charges connected consolidating damn constant dad cut customers currently creep credit courtesy costs cost continuous continues continue continually continously constantly it loyal itself single span soon son something someone some so significant spending signaling sign sight shoves shouldn should share spend spouse support stopped success subscribers subscriber sub stupid stranger stopping stepdad spouses stealing stay states starting started start squeeze shady several settled restriction rise ripped right return retired resume resubscribe restart set respect residence reside repurposing rent renewing remarried risen rising rotating rule servicio services series sense selection seen seems see secure scaling scales saving save run rules summer take reducing wanted were well weeks way waste was warrant waiting whats wait vs virtue value vaccine ut using what while taking would yet years yearly year yall ya wouldn worth who workable wont won without willing wife why uses users used their through think things thing they these there thats us thanks thank than temporary temporarily taste talk tight tightening times tipped upward upping until unneeded unfortunately unfair unemployed understand under trying tried tracking tooo told today rejoin reduce jacking maybe mind might merge memberships members medical means married moment market manservices making makes make luck loyalty mistake monetary notified news not nonsense nonesence non no nice next never month needed must multiple much move more monthly your lower lost kept leave learning layoff later last laid kidding keeps losing keeping keep justify just joint join job left legacy less lesser loose looking longer long lol ll living little limiting limited limit like life letting let nothing now rectifying popular president prescription prefer preemptively power possible por pop pricing politically political policy policies poland point
Topic 7 | Coherence=-248530.32 | Top words= price the your to hikes not extra charging many you also of greedy share way few and subscriptions for fan past years over money hike because raised subscription like has too have with months newest once cancel in shady offer an tried almost that fact used my out will dont do was same budget are passed away gone who high issues try pay rates rate thing than drastically span selection deteriorated ill higher long up continue others member this since yet even at squeeze people future return profiles daughter year just while renewing account someone she go happy increasses be expected spending offset each tight between users workable prices paying owner before stupid againlater multiple tightening work had system next residence more cannot using amercian mom live unemployed poland wait again now already preemptively moved but get keep financial canceling gotten absurd personal phone moment parent living owning billings access stopped really bills person aunt interested temporary annually medical limiting offered buggin expensive double much declined right everything expenses flat food face focused extortion fiance fair fixed family far feet fix first financially fault fee finally feel fees forcing youre forever he help her hiking history holder horrible hosehold house household households how huge hungry husband idea if im improvements income increase increased increases increasing increments inflation instead into intolerable iny health having forth havent free frequent from fuel games garbage gas getting gf girl give given goes going gonna good got gouging grandkids great greed every hacked hackednot hacking half hand hard hardly guys delivering euro biden boyfriend both blindly bit billing bill biggest biased broke biannually bf better benefits benefit being begin break business cheaper caused charged charge changing changes changed change cell caring by cared care card cant cancelling can bye been becoming became additional alarming agree after afford adicional addtional addresses addition barely adding added activities acct accounts acceptance about all allow allowed am bank back awhile automatically as aren apps aparently anyways anymore any anticonsumer another amounts amount charges checking especially different doesnt divorce disgusts disgusting discontinue disappointed direction differences done didnt isn decisions death deal days day don down choice else entertainment entertaining enough end emails email elsewhere eliminating drain el edge easily earlier duplicate due drive date damn dad coming consolidating consider connected compromised competitive compared company come cutting combining combine college climbing climb city choose constant constantly continously continually cut customers customer currently current currency creep credit covid courtesy country costs cost continuous continues is loyal isnt single sorry soon son something some so situation significant sharing signaling sign sight sick shoves shouldn should spend spouse spouses start support summer success subscribers subscriber sub stranger stopping stop stepdad stealing stay states starting started short several take resume rising risen rise ripped ridiculous retiring retired resubscribe settled restriction restrict restart respect reside repurposing replace rotating rule rules run set servicio services service series sense seen seems see secure second scaling scales saving save switching taking issue wanted well weeks week we waste warrant wants want us waiting vs virtue value vaccine ut uses went were what whats youll yearly yall ya wouldn would worth wont won without willing wife why where when use upward talk these times time throughout through think things they there upping their thats thanks thank terrible temporarily taste tipped tired today told upcoming until unneeded unnecessary unfortunately unfair understand under unable two twice trying tracking town tooo rent remarried rejoin market membership members means me maybe may married manservices losing making makes make made luck loyalty lower memberships merge might mind non no nice news new never needed need must moving move monthly month monetary mistake lost loose reflect keeping last laid lack kids kidding kept keeps justify looking joint join job jacking itself its it later layoff learning leave longer lol locations location ll little limited limit life letting let lesser less legacy left nonesence nonsense nothing prescription pushed provider profits profit problem pricing president prefer notified power possible por popular
Topic 8 | Coherence=-255157.92 | Top words= too and for it prices the to now expensive is price much going subscription money me my keep as keeps use worth don not services on service have up many anymore you no just fees other continues raised this added more new charges enough with cost better benefit dont raising climb rules unfortunately benefits upward am nonsense changing trying been increasing do go has save long way want possible need but customers wife of rising income fault fixed subscriptions later through hardly adding left divorce getting courtesy right high all vs bills hacked get thanks re spend another given its at spending really down change never offered opened quality will reduce billing help everything continously temporarily others maybe restriction unable months becoming increased before lesser else monthly longer itself drain cut offer mistake barely duplicate hard retired non risen warrant date constantly fix quickly focused amount by cant good options aren tight reflect someone customer hacking cancelling was whats had free often overpriced about few easily rejoin secure prefer waste tooo scaling prescription set hackednot two climbing phone times moving membership company platforms eliminating fee annually town unneeded damn college must resume willing unfair think half happy her first financially increase hand goes financial finally extra face health fact fair family fan far inflation feel increments havent feet in fiance increasses increases higher forth guys gas gotten having how garbage got households household extortion house hosehold improvements gonna horrible gf gone hikes girl holder give hiking games future huge fuel flat im food ill greedy if forcing forever hike greed history idea husband frequent great grandkids from gouging hungry he youre expenses awhile bit billings bill biggest biden biased biannually bf between being begin because became be bank blindly both boyfriend canceling caused caring cared care card cannot cancel break can bye business buggin budget broke back away expected automatically again after afford adicional addtional addresses additional addition activities acct accounts account access acceptance absurd againlater agree alarming anticonsumer aunt are apps aparently anyways any an allow amounts amercian also already almost allowed cell changed changes charge done doesnt disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death double drastically drive end every even euro especially entertainment entertaining emails due email elsewhere el edge earlier each interested deal days combine compromised competitive compared coming come combining city consider choose choice checking cheaper charging charged connected consolidating day creep daughter dad cutting currently current currency credit constant covid country costs continuous continue continually instead loyal into situation span sorry soon son something some so single support since significant signaling sign sight sick shoves spouse spouses squeeze start success subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started shouldn should short rule rise ripped ridiculous return retiring resubscribe restrict restart respect residence reside repurposing replace rent renewing rotating run she same sharing share shady several settled servicio series sense selection seen seems see second scales saving summer switching intolerable wants what were went well weeks week we wanted system waiting wait virtue value vaccine ut using when where while who youll yet years yearly year yall ya wouldn would workable work wont won without why uses users used throughout thing they these there their thats that thank than terrible temporary taste talk taking take things tightening us time upping upcoming until unnecessary unemployed understand under twice try tried tracking told today tired tipped remarried reducing redo makes medical means may married market manservices making make rectifying made luck loyalty your lower lost losing member members memberships merge nonesence nice next news newest needed multiple moved move month monetary moment mom mind might loose looking lol last lack kids kidding kept keeping justify joint join job jacking issues issue isnt isn iny laid layoff locations learning location ll living live little limiting limited limit like life letting let less legacy leave nothing notified off profiles pricing president preemptively power por popular pop politically political policy policies poland
 19%|█▉        | 9/48 [18:16<1:30:44, 139.61s/it]
Topic 9 | Coherence=-242720.25 | Top words= you extra my the about family of bill share with it me to money using and don increase subscription like that outside when paying states news power want limit pay idea have youre taste disgusting extortion greedy cant charge company its afford charging are can but different now subscriptions time for out this job anymore many because just grandkids stay by without at as use month moved losing in right last lost cheaper due see months cancel caused waste inflation thanks president biden first reason rather would learning didnt hosehold let spend so unable euro upping agree thank better por el currency pagos servicio card account adicional vaccine holder hungry date death who been never other membership rise reducing doesnt sharing gas increasing free isn flat into focused issue food isnt games future forcing issues forever forth fuel is from intolerable frequent iny fixed higher fix join kidding expenses expensive kept keeps face fact keeping fair keep justify joint fan itself far fault fee feel fees feet few fiance finally garbage jacking financially financial getting get having ill half hand happy if husband hard hardly huge has how havent households interested household he health everything house horrible help her history hiking hikes high im had hacking hackednot instead hike gf increments girl give increasses given go goes going gone gonna good got gotten gouging increases great greed increased income guys improvements hacked expected discontinue every even billings billing biggest biased biannually bf between benefits benefit being begin before becoming became be barely bank bills bit blindly cancelling changed change cell caring cared care cannot canceling both bye business buggin budget broke break boyfriend back awhile away addition alarming againlater again after addtional addresses additional adding allow added activities acct accounts access acceptance absurd all allowed automatically another aunt aren apps aparently anyways any anticonsumer annually almost an amounts amount amercian am also already changes changing charged direction dont done do divorce disgusts lack disappointed differences down deteriorated delivering declined decisions deal days day double drain damn elsewhere especially entertainment entertaining enough end emails email else drastically eliminating edge easily earlier each duplicate drive daughter dad charges combining consider connected compromised competitive compared coming come combine constant college climbing climb city choose choice checking consolidating constantly cutting covid cut customers customer currently current creep credit courtesy continously country costs cost continuous continues continue continually kids loyal laid starting start squeeze spouses spouse spending span sorry soon son something someone some situation single since significant signaling started stealing respect stepdad temporarily talk taking take system switching support summer success subscribers subscriber sub stupid stranger stopping stopped stop sign sight sick shoves save same run rules rule rotating rising risen ripped ridiculous return retiring retired resume resubscribe restriction restrict saving scales scaling set shouldn should short she shady several settled services second service series sense selection seen seems secure temporary terrible than uses what were went well weeks week we way was warrant wants wanted waiting wait vs virtue value whats where while wouldn youll yet years yearly year yall ya worth why workable work wont won willing will wife ut users thats used too told today tired tipped times tightening tight throughout through think things thing they these there their tooo town tracking unfortunately us upward upcoming up until unneeded unnecessary unfair tried unemployed understand under two twice trying try restart residence later no next newest new needed need must multiple much moving move more monthly monetary moment mom mistake mind nice non reside nonesence opened ontario only oneday one once on ok often offset offered offer off notified nothing not nonsense might merge memberships members lol locations location ll living live little limiting limited life letting lesser less legacy left leave layoff long longer looking manservices member medical means maybe may married market making loose makes make made luck loyalty your lower opening opportunity option preemptively raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing prices price prescription raising
Average topic coherence for the top words is -244342.7527856258
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.32it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.35it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.36it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.40it/s]
 10%|█         | 5/50 [00:00<00:08,  5.38it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.28it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.24it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.28it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.31it/s]
 20%|██        | 10/50 [00:01<00:07,  5.23it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.21it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.07it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.12it/s]
 28%|██▊       | 14/50 [00:02<00:07,  5.09it/s]
 30%|███       | 15/50 [00:02<00:06,  5.10it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.15it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.19it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.17it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.19it/s]
 40%|████      | 20/50 [00:03<00:05,  5.19it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.13it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.11it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.13it/s]
 48%|████▊     | 24/50 [00:04<00:05,  5.17it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.23it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.26it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.29it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.18it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.25it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.16it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.23it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.28it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.31it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.34it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.36it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.38it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.36it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.36it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.39it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.41it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.40it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.39it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.39it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.37it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.38it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.39it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.34it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.35it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.31it/s]
100%|██████████| 50/50 [00:09<00:00,  5.27it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.54it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.59it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.70it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.50it/s]
 10%|█         | 5/50 [00:00<00:06,  6.56it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.63it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.64it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.65it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.68it/s]
 20%|██        | 10/50 [00:01<00:05,  6.69it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.70it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.68it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.68it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.65it/s]
 30%|███       | 15/50 [00:02<00:05,  6.66it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.67it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.68it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.69it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.63it/s]
 40%|████      | 20/50 [00:03<00:04,  6.66it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.67it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.68it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.69it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.68it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.68it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.54it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.59it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.63it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.67it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.68it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.68it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.67it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.64it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.65it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.64it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.55it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.59it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.50it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.56it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.53it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.53it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.54it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.62it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.61it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.63it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.59it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.63it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.68it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.58it/s]
100%|██████████| 50/50 [00:07<00:00,  6.63it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.57it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.56it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.55it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.55it/s]
 10%|█         | 5/50 [00:01<00:12,  3.55it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.55it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.56it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.55it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.51it/s]
 20%|██        | 10/50 [00:02<00:11,  3.44it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.48it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.50it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.54it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.55it/s]
 30%|███       | 15/50 [00:04<00:09,  3.56it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.53it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.53it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.54it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.54it/s]
 40%|████      | 20/50 [00:05<00:08,  3.55it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.56it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.54it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.54it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.55it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.55it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.55it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.55it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.54it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.54it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.53it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.55it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.50it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.41it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.46it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.50it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.51it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.52it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.54it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.51it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.53it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.54it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.56it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.56it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.57it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.55it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.53it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.54it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.55it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.53it/s]
100%|██████████| 50/50 [00:14<00:00,  3.53it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.69it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.71it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.72it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.70it/s]
 10%|█         | 5/50 [00:01<00:16,  2.71it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.71it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.72it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.71it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.72it/s]
 20%|██        | 10/50 [00:03<00:14,  2.72it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.69it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.70it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.71it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.72it/s]
 30%|███       | 15/50 [00:05<00:13,  2.69it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.71it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.71it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.71it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.72it/s]
 40%|████      | 20/50 [00:07<00:10,  2.73it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.74it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.74it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.73it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.73it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.72it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.71it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.70it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.71it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.71it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.73it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.73it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.74it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.73it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.71it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.71it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.72it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.71it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.71it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.71it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.72it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.72it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.72it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.71it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.70it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.72it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.73it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.71it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.72it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.72it/s]
100%|██████████| 50/50 [00:18<00:00,  2.72it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.81it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.81it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.80it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.80it/s]
 10%|█         | 5/50 [00:02<00:25,  1.78it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.76it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.77it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.79it/s]
 18%|█▊        | 9/50 [00:05<00:22,  1.79it/s]
 20%|██        | 10/50 [00:05<00:22,  1.80it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.80it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.80it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.80it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.79it/s]
 30%|███       | 15/50 [00:08<00:19,  1.79it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.80it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.80it/s]
 36%|███▌      | 18/50 [00:10<00:17,  1.80it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.80it/s]
 40%|████      | 20/50 [00:11<00:16,  1.81it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.81it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.81it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.81it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.81it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.81it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.80it/s]
 54%|█████▍    | 27/50 [00:15<00:12,  1.81it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.81it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.82it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.81it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.81it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.81it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.81it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.82it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.82it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.80it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.81it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.81it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.81it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.81it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.82it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.81it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.80it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.81it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.81it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.81it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.81it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.82it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.82it/s]
100%|██████████| 50/50 [00:27<00:00,  1.81it/s]

100%|██████████| 50/50 [00:00<00:00, 1562.75it/s]
Topic 0 | Coherence=-239769.72 | Top words= you extra and using that my youre subscription are of prices charge share out about family the raising bill for with charging money people increase better don reason cheaper kept gonna services when im keep other want paying if like outside limit me power states idea news so was now only have disgusting extortion its company taste greedy your different but it subscriptions pay cant because without stay grandkids even or fair on differences work any improvements continously months hosehold at restriction squeeze yet continue profits town moment pagos try adicional el servicio por agree learning biased unable resubscribe politically well temporary made spending constantly payday support doesnt nonesence moving newest gone get everything financial every financially garbage gf expected face first gas expenses expensive getting flat fact fan food fiance forcing forever few forth free fixed feet finally fix fees frequent feel from fuel future games focused fault far fee half girl into instead inflation increments increasses increasing increases increased income in ill husband hungry huge how households interested intolerable give iny kidding keeps keeping justify just joint join job jacking itself issues issue isnt isn is household house horrible holder had hacking hackednot hacked guys greed great gouging gotten got good going goes go given especially hand happy her history hiking hikes hike higher high help hard health he having havent has hardly euro divorce entertainment billings biggest biden biannually bf between benefits benefit being begin before been becoming became be barely bank back billing bills away bit care card cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly awhile automatically caring all againlater again after afford addtional addresses additional addition adding added activities acct accounts account access acceptance absurd alarming allow aunt allowed as aren apps aparently anyways anymore anticonsumer another annually an amounts amount amercian am also already almost cared caused entertaining done lack disgusts discontinue disappointed direction didnt deteriorated delivering declined decisions death deal days day daughter date damn do dont cutting double enough end emails email elsewhere else eliminating edge easily earlier each duplicate due drive drastically drain down dad cut cell competitive coming come combining combine college climbing climb city choose choice checking charges charged changing changes changed change compared compromised customers connected customer currently current currency creep credit covid courtesy country costs cost continuous continues continually constant consolidating consider kids loyal laid stop stealing starting started start spouses spouse spend span sorry soon son something someone some situation single since stepdad stopped resume stopping thanks thank than terrible temporarily talk taking take system switching summer success subscribers subscriber sub stupid stranger significant signaling sign sight scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring second secure see shady sick shoves shouldn should short she sharing several seems settled set service series sense selection seen thats their there uses what were went weeks week we way waste warrant wants wanted waiting wait vs virtue value vaccine whats where while would youll years yearly year yall ya wouldn worth who workable wont won willing will wife why ut users these used too told today to tired tipped times time tightening tight throughout through this think things thing they tooo tracking tried unneeded use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under two twice retired restrict last never need must multiple much moved move more monthly month monetary mom mistake mind might merge memberships membership needed new restart next ontario oneday one once ok often offset offered offer off notified nothing not nonsense non no nice members member medical means location ll living live little limiting limited life letting let lesser less legacy left leave layoff later locations lol long makes maybe may married market many manservices making make longer luck loyalty lower lost losing loose looking opened opening opportunity president re rather rates rate raises raised raise quickly quality putting put pushed provider profit profiles problem pricing reactivate
Topic 1 | Coherence=-247230.41 | Top words= the price with my in you subscription only it one moved increases up as has service for being subscriptions this am months need prices just other on enough is me what keeps time re raising means wouldn cared were hiking leave dont begin greedy understand if now of going through can keep high use about ll have been us many that nonsense last two someone benefits and wife changing business long we when by don who constantly over see divorce elsewhere income house fixed provider subscriber selection increase so courtesy to left tipped goes phone scales direction finally significant constant household getting continually horrible pushed edge boyfriend take limiting lol households already member amount sick customer son news short since became kidding ridiculous raised than profits ripped rise needed off retired combine connected disappointed non loyal broke sub like was aparently remarried hacked monthly paying access hacking free much multiple our after before between annually cell covid merge acct more fees taking decisions everything single flat overpriced willing go charge apps pay happy higher making there fact frequent fix extra first from forth forever financial face family fair feet fan focused forcing far fiance food fault fee few feel financially hackednot fuel future help her hike hikes history holder hosehold how huge hungry husband idea ill im improvements increased increasing increasses increments inflation instead interested into intolerable iny health he having got games garbage gas get gf girl give given gone gonna good gotten havent gouging grandkids great greed guys expensive had half hand hard hardly extortion deteriorated expenses biased bit bills billings billing bill biggest biden biannually back bf better benefit becoming because be barely blindly both break budget changes changed change caused caring care card cant cannot cancelling canceling cancel bye but buggin bank awhile expected additional agree againlater again afford adicional addtional addresses addition away adding added activities accounts account acceptance absurd alarming all allow allowed automatically aunt at aren are anyways anymore any anticonsumer another an amounts amercian also almost charged charges charging disgusting drain down double done doesnt do disgusts discontinue cheaper different differences didnt isnt delivering declined death drastically drive due duplicate every even euro especially entertainment entertaining end emails email else eliminating el easily earlier each deal days day continously consider compromised competitive compared company coming come combining college climbing climb city choose choice checking consolidating continue daughter continues date damn dad cutting cut customers currently current currency creep credit country costs cost continuous isn youre issue sorry start squeeze spouses spouse spending spend span soon should something some situation signaling sign sight shoves started starting states stay taste talk system switching support summer success subscribers stupid stranger stopping stopped stop stepdad stealing shouldn she temporary resume rule rotating rising risen right return retiring resubscribe sharing restriction restrict restart respect residence reside repurposing rules run same save share shady several settled set servicio services series sense seen seems secure second scaling saving temporarily terrible rent wants went well weeks week way waste warrant wanted using want waiting wait vs virtue value vaccine whats where while why youll yet years yearly year yall ya would worth workable work wont won without will ut uses thank throughout too told today tired times tightening tight think users things thing they these their thats thanks tooo town tracking tried used upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable twice trying try replace renewing issues membership monetary moment mom mistake mind might memberships members made medical maybe may married market manservices makes money month move moving often offset offered offer notified nothing not nonesence no nice next newest new never must make luck once kept legacy learning layoff later laid lack kids keeping loyalty justify joint join job jacking itself its less lesser let letting your lower lost losing loose looking longer locations location living live little limited limit life ok oneday rejoin prescription putting put profit profiles problem pricing president prefer policy preemptively power possible por popular
Topic 2 | Coherence=-238142.37 | Top words= to not my do pay it subscription price is have that so but was just you the bill good no are keep with card an ill services added compromised prices continues when after charged really because without automatically allowed credit option wanted told benefit climb more bank increase increases dont your and better why will thing rates year higher same than who enough seems nothing want every others longer needed ok high forth guys other customers charging cut agree hacked budget put back away use fault declined policy changes adding return passed canceling starting tightening need againlater value think bills popular notified series warrant owner euro today often frequent cheaper cost currency anymore trying fees constantly eliminating day what sense until prefer waiting yearly medical aunt getting monthly in own limiting terrible raising due gas access losing garbage games get financially future fiance expensive extortion extra face fact fair family fan far fee feel feet few finally fuel financial girl first fix fixed flat focused food for forcing forever free from gf youre give im increments increasses increasing increased income improvements if instead idea husband hungry huge how households inflation interested house itself keeping justify joint join job jacking its into issues issue isnt isn iny intolerable household hosehold given gouging hacking hackednot greedy greed great grandkids gotten half got gonna gone going goes go had hand horrible help holder history hiking hikes hike her health happy he having havent has expenses hard hardly differences expected biannually blindly bit billings billing biggest biden biased bf everything between benefits being begin before been becoming both boyfriend break broke change cell caused caring cared care cant cannot cancelling cancel can bye by business buggin became be barely allow alarming again afford adicional addtional addresses additional addition activities acct accounts account acceptance absurd about all almost awhile already at as aren apps aparently anyways any anticonsumer another annually amounts amount amercian am also changed changing charge drain double done don doesnt divorce disgusts disgusting discontinue disappointed direction different kept didnt deteriorated delivering down drastically death drive even especially entertainment entertaining end emails email elsewhere else el edge easily earlier each duplicate decisions deal charges constant consider connected competitive compared company coming come combining combine college climbing city choose choice checking consolidating continously days continually daughter date damn dad cutting customer currently current creep covid courtesy country costs continuous continue keeps loyal kidding should spend span sorry soon son something someone some situation single since significant signaling sign sight sick shoves spending spouse spouses stopping success subscriptions subscribers subscriber sub stupid stranger stopped squeeze stop stepdad stealing stay states started start shouldn short support she rotating rising risen rise ripped right ridiculous retiring retired resume resubscribe restriction restrict restart respect residence reside rule rules run service sharing share shady several settled set servicio selection save seen see secure second scaling scales saving summer switching kids upcoming weeks week we way waste wants wait vs virtue vaccine ut using uses users used us upward well went were worth youll yet years yall ya wouldn would workable whats work wont won willing wife while where upping up system unneeded throughout through this things they these there their thats thanks thank temporary temporarily taste talk taking take tight time times two unnecessary unfortunately unfair unemployed understand under unable twice tipped try tried tracking town tooo too tired repurposing replace rent may move months month money monetary moment mom mistake mind might merge memberships membership members member means me moved moving much nonesence offset offered offer off of now nonsense non multiple nice next news newest new never must maybe married renewing market limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack little live living loyalty many manservices making makes make made luck lower ll lost loose looking long lol locations location on once one oneday quality putting pushed provider profits profit profiles problem pricing president prescription preemptively power possible por pop politically
Topic 3 | Coherence=-248484.23 | Top words= price the you not to your for and greedy many charging hikes extra subscriptions money is share increase because keep sharing years of also way past fan over few too raising are hike just charge in me from profiles no newest people starting last worth new increasing anymore pay that additional after want subscription charges an been addition something willing terrible good profit guys paying getting they more stop us on letting greed we support using its value my got options consolidating stealing while yall havent great system another workable loose spend don since continually was stopping keeps how rate fiance fault raised constant canceling run respect little creep much longer point delivering legacy members married less really absurd before rates preemptively youre waste damn expected fee kidding girl moving caring ya everything justify next done expensive future living pls life lower climbing daughter original hungry higher prices wont gotten frequent saving nonesence husband only renewing loyal spending she else entertaining enough end emails email elsewhere eliminating drive el edge easily earlier each duplicate entertainment especially euro face users far uses family fair fact ut even extortion vaccine expenses virtue vs every due drastically currently day wanted declined decisions death deal days wants drain date warrant dad cutting cut customers deteriorated didnt differences different direction disappointed discontinue disgusting disgusts divorce do doesnt waiting wait dont double down used feel fees two hand half had hacking hackednot hacked unable hard under understand grandkids gouging unemployed unfair happy hardly feet high holder history hiking tried try trying her has help health he having twice have unfortunately gonna gone fixed forever forcing upping food focused flat fix going first financially financial finally upward use forth free upcoming up fuel until games garbage gas get unneeded gf unnecessary give given go goes customer current hosehold aren awhile away automatically aunt at as with bank apps aparently anyways without any anticonsumer back barely biggest benefit biased biannually bf between better benefits being be begin why wife becoming will became won annually work activities addtional addresses yearly yet adding added acct would accounts account access acceptance youll about adicional afford year again againlater agree alarming all allow allowed almost already wouldn am amercian amount amounts biden bill currency combine competitive compared company coming come combining college connected were climb city choose choice checking compromised consider billing cost week credit covid courtesy country costs continuous went continues continue weeks continously constantly well cheaper what whats broke bye by but business buggin budget break charged boyfriend both blindly bit bills billings can cancel who cancelling cannot cant card care cared where caused cell change changed changes changing when horrible house short sorry politically political policy policies poland soon pleased popular please playing play platforms platform places pop por putting pricing pushed provider profits situation so problem some possible someone president prescription prefer son power piracy pick phone started out our others other start or option personal opportunity opening opened ontario states oneday outside squeeze overpriced own owner owning pagos parent parents passed spouses spouse payday payment span per person put quality household rising save same shouldn rules rule rotating risen scales rise ripped right ridiculous return retiring should scaling quickly service shady several settled set servicio services series second sense selection seen seems see secure retired resume resubscribe re recently recent reason sight reality reactivate rather restriction sign signaling significant raises single raise recession rectifying redo reduce reducing reflect rejoin remarried sick rent replace repurposing reside residence shoves restart restrict one once stay through layoff later this laid lack kids kept leave throughout keeping tight tightening time joint learning left ok limited location ll their live there limiting limit think like these thing let lesser things join job jacking ill increased today income told improvements im if itself idea tooo town huge tracking households increases tired increasses increments inflation instead interested into intolerable iny tipped isn isnt issue issues it times locations lol long must subscriber subscribers never needed need success
Topic 4 | Coherence=-246111.49 | Top words= and price it for prices at customer time increasing increase keep to the will no going you service up like enough only long is rates subscriber feel loyalty alarming there we of worth your garbage customers rate not pricing even this currently sharing cost keeps about but cancel do year afford business down are make terrible care bye used limited recent talk quality be subscription doesnt making months sense well resubscribe decisions expenses unable use dont guys hardly all can drive market manservices change competitive longer shouldn date pick increasses each money offset reducing month waste blindly me billing would when rather help should paying days jacking why off spend just from cant laid wait few barely drain my went isnt value gone let justify subscriptions pay learning first return isn ill didnt membership elsewhere fee rising interested any cannot set focused had users every unneeded town annually on much share again opening often disgusts less financial extortion family frequent fan games fees future fuel free financially fix fair fault finally extra feet forth forever face forcing fiance food far flat fixed fact youre gas if hikes hiking history holder horrible hosehold house household households how huge hungry husband idea im get improvements in income increased increases increments inflation instead into intolerable iny issue issues its hike higher high her getting gf girl give given go goes gonna good got gotten gouging grandkids great greed greedy hacked hackednot hacking half hand happy hard has have havent having he health expensive different expected being biased biannually bf between better benefits benefit begin away before been becoming because became bank back biden biggest bill billings caused caring cared card cancelling canceling by buggin budget broke break boyfriend both bit bills awhile automatically everything adding againlater after adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd agree allow allowed almost as aren apps aparently anyways anymore anticonsumer another an amounts amount amercian am also already cell changed changes delivering divorce disgusting discontinue disappointed direction differences deteriorated declined changing death deal day daughter damn dad cutting don done double drastically euro especially entertainment entertaining end emails email else eliminating el edge easily earlier duplicate due cut current currency company come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge coming compared creep compromised credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected itself loyal job something spouses spouse spending span sorry soon son someone start some so situation single since significant signaling squeeze started sight stupid system switching support summer success subscribers sub stranger starting stopping stopped stop stepdad stealing stay states sign sick taking ridiculous rules rule rotating risen rise ripped right retiring same retired resume restriction restrict restart respect residence run save shoves series short she shady several settled servicio services selection saving seen seems see secure second scaling scales take taste join wanted were weeks week way was warrant wants want whats waiting vs virtue vaccine ut using uses what where upward workable youll yet years yearly yall ya wouldn work while wont won without with willing wife who us upping temporarily they tightening tight throughout through think things thing these tipped their thats that thanks thank than temporary times tired upcoming two until unnecessary unfortunately unfair unemployed understand under twice today trying try tried tracking tooo too told reside repurposing replace monthly need must multiple moving moved move more monetary never moment mom mistake mind might merge memberships needed new member now ontario oneday one once ok offered offer notified newest nothing nonsense nonesence non nice next news members medical rent layoff limit life letting lesser legacy left leave later little last lack kids kidding kept keeping joint limiting live means lower maybe may married many makes made luck lost living losing loose looking lol locations location ll opened opportunity option president put pushed provider profits profit profiles problem prescription quickly prefer preemptively power possible por popular
Topic 5 | Coherence=-237543.95 | Top words= my subscription extra charge and no you for re your with daughter in it to sign anyways college ut thank uses she bye worth is when not going good me an sharing family has will already the pay of im moving support company won at he bf husband charges pricing if parents longer greedy using greed dont anymore opportunity changing more being addition resume every stepdad done same offered playing tired residence games allow like what bank subscribers thats unemployed financial dad issues one spouse phone joint need isnt summer disgusts better we activities health help seen wife continue next payment raised today moved married vs another girl fuel garbage getting future give get from gas gf financially frequent expensive far fan fair fact face extortion expenses fee expected everything even euro especially entertainment fault feel free fixed forth forever forcing food focused flat fix fees first go finally fiance few feet given youre goes gone intolerable into interested instead inflation increments increasses increasing increases increased increase income improvements ill idea iny isn issue keeping laid lack kids kidding kept keeps keep its justify just join job jacking itself hungry huge how hacked happy hand half had hacking hackednot guys hardly great grandkids gouging gotten got gonna hard have households hiking household house hosehold horrible holder history hikes enough hike higher high her having havent entertaining disappointed end bit billings billing bill biggest biden biased biannually between benefits benefit begin before been becoming because became be bills blindly emails both cared care card cant cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend barely back awhile away againlater again after afford adicional addtional addresses additional adding added acct accounts account access acceptance absurd about agree alarming all any automatically aunt as aren are apps aparently anticonsumer allowed annually amounts amount amercian am also almost caring caused cell cut disgusting discontinue later direction different differences didnt deteriorated delivering declined decisions death deal days day date damn divorce do doesnt earlier email elsewhere else eliminating el edge easily each don duplicate due drive drastically drain down double cutting customers change customer competitive compared coming come combining combine climbing climb city choose choice checking cheaper charging charged changes changed compromised connected consider country currently current currency creep credit covid courtesy costs consolidating cost continuous continues continually continously constantly constant last loyal layoff started squeeze spouses spending spend span sorry soon son something someone some so situation single since significant signaling start starting sick states taste talk taking take system switching success subscriptions subscriber sub stupid stranger stopping stopped stop stealing stay sight shoves learning saving run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resubscribe restriction restrict restart save scales shouldn scaling should short share shady several settled set servicio services service series sense selection seems see secure second temporarily temporary terrible were well weeks week way waste was warrant wants wanted want waiting wait virtue value vaccine users used went whats than where youll yet years yearly year yall ya wouldn would workable work wont without willing why who while use us upward upping tipped times time tightening tight throughout through this think things thing they these there their that thanks told too tooo understand upcoming up until unneeded unnecessary unfortunately unfair under town unable two twice trying try tried tracking respect reside repurposing newest never needed must multiple much move months monthly month money monetary moment mom mistake mind might merge new news option nice opened ontario only oneday once on ok often offset offer off now notified nothing nonsense nonesence non memberships membership members member locations location ll living live little limiting limited limit life letting let lesser less legacy left leave lol long looking making medical means maybe may market many manservices makes loose make made luck loyalty lower lost losing opening options replace raising raise quickly quality putting put pushed provider profits profit profiles problem prices price president prescription prefer preemptively raises rate
Topic 6 | Coherence=-241192.77 | Top words= the to that and you price me your are this of will again fact want cancel not other it like my raised only good just since months different in if has out tried shady back for once offer almost consider used email have bye made pay reactivate issue forever rectifying give come hike also makes selection dont never or start activities putting choose already mom into before membership was moved kids take paying span drastically deteriorated hand member need care gone places restrict between changed first be currency live one hikes things lack expensive increase current fuel entertainment costs getting having up two country location rise us far oneday earlier went with passed rising away stupid on cut there sorry charges at new boyfriend wants fees using got under owner added restart may spending redo raise unnecessary person feet caused limiting didnt keeps situation financial cutting expenses youre let people cheaper every damn lol making emails outside really renewing upping vs apps both constantly anyways gouging grandkids great aren greed aparently greedy guys hacked hackednot hacking as had anymore half any happy hard hardly anticonsumer another havent annually he gotten aunt biannually gonna frequent bf from better benefits future games garbage gas get benefit being begin been becoming because gf girl became barely given bank go goes going awhile automatically an health amounts addtional improvements addresses additional income addition adding increased increases increasing increasses increments inflation instead interested acct accounts account intolerable iny access is isn isnt acceptance absurd issues about im ill help adicional her amount high amercian higher am allowed hiking allow all history alarming holder horrible agree hosehold house household households how huge hungry againlater husband after idea afford free biased continously decisions delivering college climbing climb city differences choice direction disappointed discontinue disgusting itself disgusts divorce do doesnt don checking charging done charged double down charge drain changing changes declined death due deal continually continue continues continuous cost constant consolidating connected courtesy covid credit creep compromised competitive currently customer customers compared company dad coming date combining daughter combine day days drive duplicate forth fair fan business fault fee feel buggin budget broke few fiance finally break financially blindly bit bills fix billings fixed billing flat focused food bill biggest forcing biden family but each face change cell caring easily edge cared el eliminating else elsewhere card cant end enough entertaining cannot cancelling especially euro even canceling everything expected can by extortion extra its loyal jacking spend stay states starting started squeeze spouses spouse soon stepdad son something someone some so single significant stealing stop sign summer temporarily taste talk taking system switching support success stopped subscriptions subscription subscribers subscriber sub stranger stopping signaling sight job rule scaling scales saving save same run rules rotating secure risen ripped right ridiculous return retiring retired second see sick several shoves shouldn should short she sharing share settled seems set servicio services service series sense seen temporary terrible than week where when whats what were well weeks we who way waste warrant wanted waiting wait virtue while why thank wouldn youll yet years yearly year yall ya would wife worth workable work wont won without willing value vaccine ut throughout today tired tipped times time tightening tight through uses think thing they these their thats thanks told too tooo town users use upward upcoming until unneeded unfortunately unfair unemployed understand unable twice trying try tracking resume resubscribe restriction mistake move more monthly month money monetary moment mind much might merge memberships members medical means maybe moving multiple ontario nonsense often offset offered off now notified nothing nonesence must non no nice next news newest needed married market many last less legacy left leave learning layoff later laid manservices kidding kept keeping keep justify joint join lesser letting life limit make luck loyalty lower lost losing loose looking longer long locations ll living little limited ok opened respect profit raises quickly quality put pushed provider profits profiles rate problem pricing prices president prescription prefer
Topic 7 | Coherence=-242950.27 | Top words= back to be and money is will price the with need of have this increases prices more for saving much can just month break months too stop in as ill deal taking few continuous problem on trying come raising try end customer payment ll continues we budget cost when some new increase go ridiculous subscriptions tight losing move due time up save high using once addtional not don got youll what laid hikes else has possible future continue off another issues upcoming spending was bit me into put yet platform should way profiles tired half no sight squeeze many these expected payday currently twice success reduce job raise bills every do charged financially awhile getting gas becoming rise hard next rotating own something piracy take second later risen broke right emails get same biggest cut im living throughout history happy policies week cutting quickly raises divorce double gouging pleased cancel might year monetary join instead reside family card soon dad offered tooo layoff repurposing nothing summer provider quality through date earlier start different food fault far fiance fees feet especially euro fan fee even feel financial finally everything expenses expensive extortion extra first face fair fact fix youre fixed flat having he health help her higher hike hiking holder horrible hosehold house household households how huge hungry husband idea if improvements income increased increasing increasses increments inflation interested intolerable havent hardly hand given focused forcing forever forth free frequent from fuel games garbage gf girl give goes had going gone gonna good gotten grandkids great greed greedy guys hacked hackednot hacking entertainment death entertaining better benefit being begin before been because became barely bank away automatically aunt at aren are benefits between aparently bf canceling bye by but business buggin boyfriend both blindly billings billing bill biden biased biannually apps anyways cannot again afford adicional addresses additional addition adding added activities acct accounts account access acceptance absurd about after againlater anymore agree any anticonsumer annually an amounts amount amercian am also already almost allowed allow all alarming cancelling cant enough discontinue direction differences didnt deteriorated delivering declined decisions days day daughter damn customers current currency creep disappointed disgusting covid disgusts email elsewhere eliminating el edge easily each duplicate drive drastically drain down dont done doesnt credit courtesy care climb choose choice checking cheaper charging charges charge changing changes changed change cell caused caring cared city climbing country college costs continually continously constantly constant consolidating consider connected compromised competitive compared company coming combining combine iny loyal isn single spend span sorry son someone so situation since sharing significant signaling sign sick shoves shouldn short spouse spouses started starting system switching support subscription subscribers subscriber sub stupid stranger stopping stopped stepdad stealing stay states she share reducing restrict ripped return retiring retired resume resubscribe restriction restart shady respect residence replace rent renewing remarried rejoin rising rule rules run several settled set servicio services service series sense selection seen seems see secure scaling scales talk taste temporarily wants whats were went well weeks waste warrant wanted temporary want waiting wait vs virtue value vaccine where while who why you years yearly yall ya wouldn would worth workable work wont won without willing wife ut uses users told tipped times tightening think things thing they there their thats that thanks thank than terrible today town used tracking use us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under unable two tried reflect redo isnt market members member medical means maybe may married manservices lost making makes make made luck loyalty your membership memberships merge mind non nice news newest never needed my must multiple moving moved monthly moment mom mistake lower loose rectifying keeping learning last lack kids kidding kept keeps keep looking justify joint jacking itself its it issue leave left legacy less longer long lol locations location live little limiting limited limit like life letting let lesser nonesence nonsense notified political prefer preemptively power por popular pop politically policy now poland point pls please
Topic 8 | Coherence=-244632.63 | Top words= and subscription price to my the you will where too in we be is change different your access increases have use many why am now checking luck increments canceling good greed ridiculous of fee upcoming locations anticonsumer pay live on need more kids two that charge re another greedy how for going but moving country with won get their tracking acceptance reality new are don service lack intolerable city sharing people unfair users addresses able both subscriptions billing they go increase issues hacked between loose location once taste cut quality anymore cannot rejoin multiple less trying from amercian constant gotten reflect combining due accounts hard poland settled even date fair done ontario extortion personal some thank fix stopped expenses account financial having gf replace household billings getting cheaper had holder buggin phone creep own death switching same married double single month only changing euro stop lol as aren opening sick frequent focused its food forever forcing free it forth itself hiking flat fees extra justify face fact family fan far fault just feel feet jacking few fiance finally joint financially first future join fixed job fuel iny games huge improvements happy im ill hardly if idea has husband havent hungry households half house he health help hosehold horrible her high higher hike hikes hand income garbage gone gas issue isnt girl give given isn goes history into interested instead hacking gonna inflation got gouging grandkids increasses increasing great guys increased hackednot expensive discontinue expected better bills bill biggest biden biased biannually bf benefits blindly benefit being begin before been becoming because bit boyfriend everything cant changed cell caused caring cared care card cancelling break cancel can bye by business budget broke became barely bank addtional alarming agree againlater again after afford adicional additional back addition adding added activities acct absurd about all allow allowed almost awhile away automatically aunt at apps aparently anyways any annually an amounts amount also already changes charged charges disgusting drain down dont doesnt do divorce disgusts keeping deal disappointed direction differences didnt deteriorated delivering declined drastically drive duplicate each every especially entertainment entertaining enough end emails email elsewhere else eliminating el edge easily earlier decisions days charging company constantly consolidating consider connected compromised competitive compared coming day come combine college climbing climb choose choice continously continually continue continues daughter damn dad cutting customers customer currently current currency credit covid courtesy costs cost continuous keep youre keeps sight start squeeze spouses spouse spending spend span sorry soon son something someone so situation since significant signaling started starting states success temporarily talk taking take system support summer subscribers stay subscriber sub stupid stranger stopping stepdad stealing sign shoves kept shouldn save run rules rule rotating rising risen rise ripped right return retiring retired resume resubscribe restriction restrict saving scales scaling servicio should short she share shady several set services second series sense selection seen seems see secure temporary terrible than thanks what were went well weeks week way waste was warrant wants wanted want waiting wait vs virtue whats when while wouldn youll yet years yearly year yall ya would who worth workable work wont without willing wife value vaccine ut throughout today tired tipped times time tightening tight through tooo this think things thing these there thats told town using unneeded uses used us upward upping up until unnecessary tried unfortunately unemployed understand under unable twice try restart respect residence opportunity needed must much moved move months monthly money monetary moment mom mistake mind might merge memberships membership never newest news off oneday one ok often offset offered offer notified next nothing not nonsense nonesence non no nice members member medical legacy limited limit like life letting let lesser left little leave learning layoff later last laid kidding limiting living means make me maybe may market manservices making makes made ll loyalty lower lost losing looking longer long opened option reside options raise quickly putting put pushed provider profits profit profiles problem pricing prices president prescription prefer preemptively power
Topic 9 | Coherence=-239685.62 | Top words= to it anymore my the afford don this can is and expensive not now so subscription lost for life especially have face keeping nice iny choice pop shoves forcing married cant got price make up you more when me time worth currently job about using subscriber with was by need just right am times but inflation your amount thanks memberships think be caused pay want husband increase started used enough get switching going due others compared biden president spending out as willing her outside charge two happy too no high opened stranger coming recently duplicate that way go mistake what play being summer costs rising possible own dont budget again wife start virtue vaccine aren signaling political spouses like sorry repurposing declined customers feet recession apps has food share focused gas free charging less else increasing losing she payment justify at tight stepdad greed great grandkids another anticonsumer gouging changing any anyways good gonna aparently gone are gotten greedy guys hacked annually an hackednot hacking had half hand amounts amercian hard hardly also goes given havent forever financially first fix fixed flat before been becoming because became barely bank back forth give awhile frequent from fuel future away games garbage automatically aunt getting gf girl already having begin improvements income additional increased increases addition increasses increments adding added activities instead interested into acct intolerable accounts account isn isnt issue issues access its itself jacking acceptance join absurd joint in im he ill almost health help allowed allow all higher hike hikes hiking alarming history holder agree horrible hosehold house household households againlater how huge hungry after adicional addtional addresses idea if financial finally charged differences cost cannot country courtesy covid credit creep currency cancelling current canceling customer cancel bye cut cutting dad damn date daughter day days deal death decisions business buggin delivering deteriorated continuous continues continue combine charges changes changed cheaper checking change cell choose city climb caring climbing college cared continually combining care come card company competitive compromised connected consider consolidating constant constantly continously didnt different fiance direction bill entertaining entertainment biggest biased euro even biannually every bf everything expected expenses between extortion extra fact better fair family fan far fault fee feel fees benefits few benefit billing billings end down disappointed discontinue disgusting broke break disgusts divorce do doesnt boyfriend done both double drain emails drastically drive blindly bit each earlier easily edge el eliminating bills elsewhere email youre loyal keep rejoin son something someone some situation single since significant sign sight sick shouldn should short sharing shady several soon span spend stupid take system support success subscriptions subscribers sub stopping spouse stopped stop stealing stay states starting squeeze settled set servicio restriction ripped ridiculous return retiring retired resume resubscribe restrict risen restart respect residence reside replace rent renewing rise rotating services secure service series sense selection seen seems see second rule scaling scales saving save same run rules taking talk taste warrant were went well weeks week we waste wants where wanted waiting wait vs value ut uses whats while use wouldn youll yet years yearly year yall ya would who workable work wont won without will why users us temporarily they tired tipped tightening throughout through things thing these told there their thats thank than terrible temporary today tooo upward unemployed upping upcoming until unneeded unnecessary unfortunately unfair understand town under unable twice trying try tried tracking remarried reflect keeps reducing moved move months monthly month money monetary moment mom mind might merge membership members member medical means moving much multiple nonsense offset offered offer off of notified nothing nonesence must non next news newest new never needed maybe may market learning limit letting let lesser legacy left leave layoff limiting later last laid lack kids kidding kept limited little many loose manservices making makes made luck loyalty lower looking live longer long lol locations location ll living often ok on prices pushed provider profits profit profiles problem pricing prescription putting prefer preemptively power por popular politically policy
 21%|██        | 10/48 [20:57<1:32:34, 146.17s/it]
Topic 10 | Coherence=-244264.81 | Top words= too prices it and to for much expensive many you year is now me after other price worth keep not has are raised or increasing going new options biannually entertaining company money the just far seems your like ill consider use services increases need fees raising cut dont rules long unfortunately as way added upward profit charges service anymore save high will increased with greedy times expenses additional have later be upping gotten charge damn everything account never right life stop renewing getting almost by per rent given last vs profiles passed she while better lost others month rule away stupid these temporarily already amount maybe else offer mind itself yall amounts lesser rising thanks huge had please several cant discontinue weeks benefits every owning down parent must retiring addition mom cancelling longer so second whats its looking disgusting rejoin offered secure scaling costs adding hackednot prescription easily resume platforms prefer nonsense wife opened nothing taking overpriced often quickly focused face instead iny financial food intolerable extra extortion inflation expected fact family flat feel fiance few financially first forcing interested fee fair fault into fan finally fix fixed feet history increments husband greed guys hacked hacking half hand happy hard hardly hungry havent how having households he health help her household higher house hike hosehold hikes horrible hiking holder great grandkids forever idea increasses forth free frequent increase from fuel future games garbage gas get income gf girl give go goes in improvements gone im gonna good if got gouging youre different even euro both blindly bit bills billings billing bill biggest biden biased bf between benefit being begin before been boyfriend break broke card changed change cell caused caring cared care cannot budget canceling cancel can bye but business buggin becoming because became addtional all alarming agree againlater again afford adicional addresses allowed activities acct accounts access acceptance absurd about allow also barely apps bank back awhile automatically aunt at aren aparently am anyways any anticonsumer another annually an amercian changes changing charged differences doesnt do divorce disgusts disappointed direction isnt didnt done deteriorated delivering declined decisions death deal days don double daughter eliminating especially entertainment enough end emails email elsewhere el drain edge earlier each duplicate due drive drastically day date charging combine connected compromised competitive compared coming come combining college constant climbing climb city choose choice checking cheaper consolidating constantly dad credit cutting customers customer currently current currency creep covid continously courtesy country cost continuous continues continue continually isn loyal issue spouses stealing stay states starting started start squeeze spouse some spending spend span sorry soon son something stepdad stopped stopping stranger terrible temporary taste talk take system switching support summer success subscriptions subscription subscribers subscriber sub someone situation thank risen seen see scales saving same run rotating rise single ripped ridiculous return retired resubscribe restriction restrict selection sense series servicio since significant signaling sign sight sick shoves shouldn should short sharing share shady settled set than that respect wants went well week we waste was warrant wanted uses want waiting wait virtue value vaccine ut were what when where youll yet years yearly ya wouldn would workable work wont won without willing why who using users thats throughout told today tired tipped time tightening tight through used this think things thing they there their tooo town tracking tried us upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try restart residence issues membership monthly monetary moment mistake might merge memberships members makes member medical means may married market manservices months more move moved offset off of notified nonesence non no nice next news newest needed my multiple moving making make on kidding left leave learning layoff laid lack kids kept made keeps keeping justify joint join job jacking legacy less let letting luck loyalty lower losing loose lol locations location ll living live little limiting limited limit ok once reside profits raises raise quality putting put pushed provider problem politically pricing president preemptively power possible
Average topic coherence for the top words is -242728.02586117072
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.29it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.27it/s]
  6%|▌         | 3/50 [00:00<00:09,  5.21it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.27it/s]
 10%|█         | 5/50 [00:00<00:08,  5.33it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.33it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.25it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.27it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.29it/s]
 20%|██        | 10/50 [00:01<00:07,  5.31it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.34it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.33it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.36it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.39it/s]
 30%|███       | 15/50 [00:02<00:06,  5.38it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.39it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.37it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.35it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.34it/s]
 40%|████      | 20/50 [00:03<00:05,  5.35it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.36it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.36it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.37it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.35it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.34it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.35it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.34it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.34it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.34it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.36it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.36it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.20it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.26it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.30it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.34it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.24it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.25it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.30it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.32it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.31it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.32it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.35it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.35it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.35it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.35it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.32it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.36it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.38it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.39it/s]
100%|██████████| 50/50 [00:09<00:00,  5.33it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.71it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.74it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.62it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.45it/s]
 10%|█         | 5/50 [00:00<00:06,  6.56it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.58it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.50it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.58it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.58it/s]
 20%|██        | 10/50 [00:01<00:06,  6.61it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.63it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.65it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.56it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.51it/s]
 30%|███       | 15/50 [00:02<00:05,  6.57it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.63it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.64it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.66it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.66it/s]
 40%|████      | 20/50 [00:03<00:04,  6.51it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.58it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.63it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.66it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.66it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.70it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.70it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.72it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.72it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.72it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.73it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.72it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.75it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.76it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.75it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.72it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.73it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.74it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.75it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.75it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.66it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.61it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.59it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.62it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.61it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.65it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.67it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.67it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.70it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.69it/s]
100%|██████████| 50/50 [00:07<00:00,  6.65it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.62it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.51it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.55it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.57it/s]
 10%|█         | 5/50 [00:01<00:12,  3.58it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.58it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.57it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.58it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.59it/s]
 20%|██        | 10/50 [00:02<00:11,  3.59it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.60it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.61it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.61it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.57it/s]
 30%|███       | 15/50 [00:04<00:09,  3.58it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.59it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.58it/s]
 36%|███▌      | 18/50 [00:05<00:08,  3.59it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.58it/s]
 40%|████      | 20/50 [00:05<00:08,  3.55it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.57it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.57it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.56it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.52it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.53it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.53it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.54it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.55it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.54it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.53it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.54it/s]
 64%|██████▍   | 32/50 [00:08<00:05,  3.51it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.56it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.59it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.61it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.60it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.61it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.62it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.62it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.64it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.65it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.64it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.65it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.66it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.66it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.67it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.67it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.66it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.67it/s]
100%|██████████| 50/50 [00:13<00:00,  3.59it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.76it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.74it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.75it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.77it/s]
 10%|█         | 5/50 [00:01<00:16,  2.77it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.77it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.77it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.77it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.78it/s]
 20%|██        | 10/50 [00:03<00:14,  2.77it/s]
 22%|██▏       | 11/50 [00:03<00:14,  2.78it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.78it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.78it/s]
 28%|██▊       | 14/50 [00:05<00:12,  2.78it/s]
 30%|███       | 15/50 [00:05<00:12,  2.78it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.76it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.77it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.78it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.76it/s]
 40%|████      | 20/50 [00:07<00:10,  2.75it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.76it/s]
 44%|████▍     | 22/50 [00:07<00:10,  2.77it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.79it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.79it/s]
 50%|█████     | 25/50 [00:09<00:08,  2.79it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.79it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.80it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.80it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.80it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.79it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.79it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.80it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.79it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.80it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.79it/s]
 72%|███████▏  | 36/50 [00:12<00:05,  2.79it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.79it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.79it/s]
 78%|███████▊  | 39/50 [00:14<00:03,  2.78it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.78it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.78it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.80it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.80it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.80it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.77it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.77it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.78it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.79it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.78it/s]
100%|██████████| 50/50 [00:17<00:00,  2.78it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.84it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.83it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.84it/s]
  8%|▊         | 4/50 [00:02<00:24,  1.84it/s]
 10%|█         | 5/50 [00:02<00:24,  1.84it/s]
 12%|█▏        | 6/50 [00:03<00:23,  1.84it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.84it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.83it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.83it/s]
 20%|██        | 10/50 [00:05<00:21,  1.83it/s]
 22%|██▏       | 11/50 [00:05<00:21,  1.84it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.83it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.84it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.85it/s]
 30%|███       | 15/50 [00:08<00:19,  1.84it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.83it/s]
 34%|███▍      | 17/50 [00:09<00:17,  1.84it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.85it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.84it/s]
 40%|████      | 20/50 [00:10<00:16,  1.84it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.84it/s]
 44%|████▍     | 22/50 [00:11<00:15,  1.84it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.85it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.85it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.84it/s]
 52%|█████▏    | 26/50 [00:14<00:12,  1.85it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.85it/s]
 56%|█████▌    | 28/50 [00:15<00:11,  1.85it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.84it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.84it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.85it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.85it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.85it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.85it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.84it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.84it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.84it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.84it/s]
 78%|███████▊  | 39/50 [00:21<00:05,  1.84it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.85it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.85it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.85it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.85it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.84it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.84it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.85it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.86it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.86it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.85it/s]
100%|██████████| 50/50 [00:27<00:00,  1.84it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.12it/s]
Topic 0 | Coherence=-232368.32 | Top words= back to and be will need money of have my month cut just on subscription break with prices this taking got due is the ill saving payment ll don expenses can high down time one passed losing move end away job other account has own when we married laid having in fuel services only come subscriptions entertainment getting spend price shouldn competitive pick market costs try bit manservices up waste users increase drive more off increased gas budget rise few per rent almost between trying else would she from learning payday bills wife rather had continously cost restriction went feet months raising her combining once next rotating accounts platform customer squeeze quality divorce something combine owner piracy repurposing personal issues mom tight broke these than households aparently country membership might retiring constantly monetary must parent owning redo holder scaling billing food medical instead eliminating death monthly needed temporarily soon summer cannot another layoff inflation person awhile stop get again fees sick keep elsewhere husband hungry financially intolerable far first fan family huge fair how fact issue financial im finally idea into interested feel increments iny fixed increasses increasing isn fee isnt increases income improvements if fault fiance fix frequent flat good happy give given go hand goes going gone half gonna hacking focused gotten gouging hackednot grandkids great greed greedy guys extra hacked girl hard gf hardly household for house forcing forever forth free hosehold horrible history future hiking hikes hike games higher help health garbage he havent face youre extortion being biden biased biannually bf better benefits benefit begin bill before been becoming because became barely bank biggest billings aunt canceling caused caring cared care card cant cancelling cancel blindly bye by but business buggin boyfriend both automatically at change addition againlater after afford adicional addtional addresses additional adding alarming added activities acct access acceptance absurd about agree all as annually aren are apps anyways anymore any anticonsumer an allow amounts amount amercian am also already allowed cell changed expensive direction done doesnt do disgusts disgusting discontinue it different double differences didnt deteriorated delivering declined decisions deal dont drain day enough expected everything every even euro especially entertaining emails drastically email el edge easily earlier each duplicate days daughter changes choose compared company coming college climbing climb city choice connected checking cheaper charging charges charged charge changing compromised consider date creep damn dad cutting customers currently current currency credit consolidating covid courtesy continuous continues continue continually constant disappointed loyal its spending stay states starting started start spouses spouse span stepdad sorry son someone some so situation single stealing stopped thats system thanks thank terrible temporary taste talk take switching stopping support success subscribers subscriber sub stupid stranger since significant signaling rising second scales save same run rules rule risen sign ripped right ridiculous return retired resume resubscribe secure see seems seen sight shoves should short sharing share shady several settled set servicio service series sense selection that their itself was whats what were well weeks week way warrant while wants wanted want waiting wait vs virtue where who there ya youll you yet years yearly year yall wouldn why worth workable work wont won without willing value vaccine ut tipped tracking town tooo too told today tired times using tightening throughout through think things thing they tried twice two unable uses used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under restrict restart respect means moment mistake mind merge memberships members member me moving maybe may many making makes make made moved much residence nonsense offset offered offer now notified nothing not nonesence multiple non no nice news newest new never luck loyalty your kids less legacy left leave later last lack kidding lower kept keeps keeping justify joint join jacking lesser let letting life lost loose looking longer long lol locations location living live little limiting limited limit like often ok oneday provider raises raised raise quickly putting put pushed profits power profit profiles problem pricing president
Topic 1 | Coherence=-247699.93 | Top words= too price the is for now your subscription you many expensive it access much going am and me why keep be we good increments checking luck canceling greed prices where will not service my worth on was as hike has up cost increase people unfortunately upward don like have since their tracking months member how keeps in gone drastically anymore new way no they span trying divorce wife stupid possible life through deteriorated get else courtesy selection system left everything vs want using offered less different raised workable isnt been given later rule subscriptions right ridiculous cut thank its just amount high multiple spending creep hikes maybe done cannot over before options became reduce bills rising itself longer annually lol quickly business risen are even whats phone benefits stopped billings taking moving rates secure hackednot becoming easily fee tooo already overpriced increased of thanks allow flat what provider broke prescription fixed ya elsewhere another emails upping users moved membership hard intolerable having fault into hosehold feel havent interested fees feet instead few fiance finally financial financially inflation first house fix iny gonna far extra higher expected expenses issues hiking extortion issue her isn help fan face history health fact holder fair horrible family he hardly happy idea give gas income huge great getting gf grandkids gouging girl hungry hand gotten got improvements im go ill goes if husband households garbage games greedy half had focused food increasses forcing forever hacking forth increasing free frequent from fuel increases hacked future household guys every youre euro bf bit billing bill biggest biden biased biannually between both better benefit being begin because barely bank blindly boyfriend especially cant change cell caused caring cared care card cancelling break cancel can bye by but buggin budget back awhile away adding after afford adicional addtional addresses additional addition added automatically activities acct accounts account acceptance absurd about again againlater agree alarming aunt at aren apps aparently anyways any anticonsumer an amounts amercian also almost allowed all changed changes changing delivering disgusts disgusting discontinue disappointed direction differences didnt decisions cutting death deal days day daughter date damn do doesnt dont double entertainment entertaining enough end email eliminating el edge earlier each duplicate due drive drain down dad customers charge climbing compared company coming come combining combine college climb customer city choose choice cheaper charging charges charged competitive compromised connected consider currently current currency credit covid country costs continuous continues continue continually continously constantly constant consolidating declined loyal jacking signaling something someone some so situation single significant sign soon sight sick shoves shouldn should short she son sorry summer stealing subscribers subscriber sub stranger stopping stop stepdad stay spend states starting started start squeeze spouses spouse sharing share shady restrict ripped return retiring retired resume resubscribe restriction restart several respect residence reside repurposing replace rent renewing rise rotating rules run settled set servicio services series sense seen seems see second scaling scales saving save same success support job wait weeks week waste warrant wants wanted waiting virtue went value vaccine ut uses used use us well were switching would youll yet years yearly year yall wouldn work when wont won without with willing who while upcoming until unneeded thats throughout this think things thing these there that unnecessary than terrible temporary temporarily taste talk take tight tightening time times unfair unemployed understand under unable two twice try tried town told today to tired tipped remarried rejoin reflect mind monthly month money monetary moment mom mistake might move merge memberships members medical means may married more must reducing nonsense ok often offset offer off notified nothing nonesence need non nice next news newest never needed market manservices making laid let lesser legacy leave learning layoff last lack makes kids kidding kept keeping justify joint join letting limit limited limiting make made loyalty lower lost losing loose looking long locations location ll living live little once one oneday preemptively profits profit profiles problem pricing president prefer power point por popular pop politically political
Topic 2 | Coherence=-234738.23 | Top words= the to price for months not you this raised again fact that will it me bye are once come of in your shady almost offer back tried only cancel good if pay used email consider like also dont has makes give issue reactivate rectifying paying forever way want increases need never start other money before just long few care hike save first take trying things ill renewing some budget while moved high financial issues tight try rising pushed two be over edge there future canceling preemptively unemployed tired amount wait next new us rate discontinue return weeks several sharing short time may week town and restart under now higher situation hungry times away having talk anymore reduce apps limited spend changed caused stupid passed significant right owner putting unneeded fees fix fee hikes increments intolerable feel financially fiance feet inflation into increasing interested fixed instead finally fault increasses have fair far fan join job jacking emails end enough entertaining entertainment itself especially euro even every its everything isnt expected expenses expensive isn extortion extra face is focused iny family flat fuel food household got gotten holder gouging huge how grandkids great households greed greedy guys elsewhere gonna hacked hackednot house hacking had havent hosehold half hand happy hard hardly he gone increased improvements hiking forcing forth free frequent from horrible increase income games garbage her gas going getting help gf history girl health im idea given go husband goes get youre else awhile bill biggest biden biased biannually bf between better benefits benefit being begin been becoming because became barely billing billings bills by caring cared card cant cannot cancelling can but bit business buggin broke break boyfriend both blindly bank automatically eliminating aunt after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater agree alarming another at as aren aparently anyways any anticonsumer annually all an amounts amercian am already allowed allow cell change changes changing different differences didnt deteriorated delivering joint decisions death deal days day daughter date damn dad cutting cut direction disappointed disgusting drastically el easily earlier each duplicate due drive drain disgusts down double done don doesnt do divorce customers customer currently city company coming combining combine college climbing climb choose competitive choice checking cheaper charging charges charged charge compared compromised current cost currency creep credit covid courtesy country costs continuous connected continues continue continually continously constantly constant consolidating declined loyal justify keep spending span sorry soon son something someone so single since signaling sign sight sick shoves shouldn should spouse spouses squeeze stranger summer success subscriptions subscription subscribers subscriber sub stopping started stopped stop stepdad stealing stay states starting she share settled restriction rise ripped ridiculous retiring retired resume resubscribe restrict rotating respect residence reside repurposing replace rent remarried risen rule set seems servicio services service series sense selection seen see rules secure second scaling scales saving same run support switching system we where when whats what were went well waste why was warrant wants wanted waiting vs virtue who wife vaccine wouldn youll yet years yearly year yall ya would willing worth workable work wont won without with value ut taking their tightening throughout through think thing they these thats today thanks thank than terrible temporary temporarily taste tipped told using until uses users use upward upping upcoming up unnecessary too unfortunately unfair understand unable twice tracking tooo rejoin reflect reducing membership moment mom mistake mind might merge memberships members month member medical means maybe married market many monetary monthly making news notified nothing nonsense nonesence non no nice newest more needed my must multiple much moving move manservices make offered later lesser less legacy left leave learning layoff last letting laid lack kids kidding kept keeps keeping let life made longer luck loyalty lower lost losing loose looking lol limit locations location ll living live little limiting off offset redo por pricing prices president prescription prefer power possible popular profiles pop politically political policy policies poland point
Topic 3 | Coherence=-235566.67 | Top words= you the of and that extra family for about increase using like want bill don share when money paying outside to price states idea with limit power news sharing pay people out just subscriptions are me selection charging your from company charge even hikes something because they hand cant lack got guys stop what how up getting continue far tipped direction finally goes one try scales continually squeeze other yet kids greed in tired this cutting back subscribers go playing games fair month gone taste member already deteriorated disgusts extortion el spending on por span im pagos servicio adicional had expenses agree unnecessary seen set prefer yearly fan declined drastically hosehold services was country do became issues activities allow apps before right person future fee free fault expected kept fuel euro every fact frequent feel everything join joint first forth face fixed flat financially focused kidding keeping financial food keeps fees keep justify forcing expensive fiance forever fix feet few increases job hike horrible holder history into intolerable hiking iny jacking higher high her is help isn interested house household households huge hungry husband instead inflation increments if ill improvements income increasses increased increasing health he having gouging itself garbage gas get gf its girl give given going gonna good it gotten grandkids havent great greedy hacked hackednot hacking entertainment issue half isnt happy hard hardly has have especially youre entertaining awhile billings billing biggest biden biased biannually bf between better benefits benefit being begin been becoming be barely bills bit blindly bye care card cannot cancelling canceling cancel can by both but business buggin budget broke break boyfriend bank away enough automatically alarming againlater again after afford addtional addresses additional addition adding added acct accounts account access acceptance absurd all allowed almost any aunt at as aren aparently anyways anymore anticonsumer also another annually an amounts amount amercian am cared caring caused cell disgusting discontinue disappointed different differences laid delivering decisions death deal days day daughter date damn dad cut divorce doesnt done easily end emails email elsewhere else eliminating edge earlier dont each duplicate due drive drain down double customers customer currently choice combining combine college climbing climb city choose checking coming cheaper charges charged changing changes changed change come compared current continuous currency creep credit covid courtesy costs cost continues competitive continously constantly constant consolidating consider connected compromised didnt loyal last starting start spouses spouse spend sorry soon son someone some so situation single since significant signaling sign sight started stay terrible stealing temporarily talk taking take system switching support summer success subscription subscriber sub stupid stranger stopping stopped stepdad sick shoves shouldn should rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence reside repurposing rotating rule rules sense short she shady several settled service series seems run see secure second scaling saving save same temporary than rent where were went well weeks week we way waste warrant wants wanted waiting wait vs virtue value vaccine whats while thank who youll years year yall ya wouldn would worth workable work wont won without willing will wife why ut uses users used too told today times time tightening tight throughout through think things thing these there their thats thanks tooo town tracking unfortunately use us upward upping upcoming until unneeded unfair tried unemployed understand under unable two twice trying replace renewing later my multiple much moving moved move more months monthly monetary moment mom mistake mind might merge memberships membership must need ok needed offset offered offer off now notified nothing not nonsense nonesence non no nice next newest new never members medical means maybe location ll living live little limiting limited life letting let lesser less legacy left leave learning layoff locations lol long make may married market many manservices making makes made longer luck loyalty lower lost losing loose looking often once remarried raised quickly quality putting put pushed provider profits profit profiles problem pricing prices president prescription preemptively possible popular raise raises
Topic 4 | Coherence=-245671.28 | Top words= too to prices and you many are it year or price the other expensive your increases increasing time much for just my this biannually after entertaining options company seems consider far ill has as in can like have charges use months up new am subscription last cancel added me is going already choose putting activities keeps into increase by made between will others pay times newest see kids income charging rate moved outside fixed so switching services hard never raise better increasses amount each was getting back offset declined one sorry earlier compared oneday gotten since every on hacked second started but opened card everything stop willing didnt financially let some mistake subscriptions coming greedy summer offer play went lesser duplicate twice non keep youll people month retired later someone fix first that hacking take break possible rising support politically need nonesence resume often continues nothing date loyal join acct wont being biased continue upcoming tired addtional short ll kidding payment climbing few fees profits workable provider policies given im gone instead feet inflation hackednot increments increased improvements had give goes fiance if finally financial idea husband go feel guys greed fee extortion isn iny intolerable extra face gonna fact got gouging fair family grandkids interested fan great fault hungry flat focused future hike games happy higher garbage hardly high gas her get help gf girl health he having havent hand hikes food fuel huge half forcing forever how households household good house hosehold horrible free frequent from holder history hiking forth disappointed expenses benefits bills billings billing bill biggest biden bf benefit blindly begin before been becoming because became be bit both bank cant changed change cell caused caring cared care cannot boyfriend cancelling canceling bye business buggin budget broke barely awhile expected additional alarming agree againlater again afford adicional addresses addition allow adding accounts account access acceptance absurd about all allowed away anymore automatically aunt at aren apps aparently anyways any almost anticonsumer another annually an amounts amercian also changes changing charge disgusting dont done don doesnt do divorce disgusts discontinue down issue direction different differences deteriorated delivering decisions double drain charged email even euro especially entertainment enough end emails elsewhere drastically else eliminating el edge easily due drive death deal days come continously constantly constant consolidating connected compromised competitive combining day combine college climb city choice checking cheaper continually continuous cost costs daughter damn dad cutting cut customers customer currently current currency creep credit covid courtesy country isnt youre issues span starting start squeeze spouses spouse spending spend soon stay son something situation single significant signaling sign states stealing its system than terrible temporary temporarily taste talk taking success stepdad subscribers subscriber sub stupid stranger stopping stopped sight sick shoves ripped same run rules rule rotating risen rise right shouldn ridiculous return retiring resubscribe restriction restrict restart save saving scales scaling should she sharing share shady several settled set servicio service series sense selection seen secure thank thanks thats waste what were well weeks week we way warrant vaccine wants wanted want waiting wait vs virtue whats when where while yet years yearly yall ya wouldn would worth work won without with wife why who value ut their tight tracking town tooo told today tipped tightening throughout using through think things thing they these there tried try trying two uses users used us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under unable respect residence reside membership monetary moment mom mind might merge memberships members making member medical means maybe may married market money monthly more move offered off of now notified not nonsense no nice next news needed must multiple moving manservices makes once laid letting less legacy left leave learning layoff lack make kept keeping justify joint job jacking itself life limit limited limiting luck loyalty lower lost losing loose looking longer long lol locations location living live little ok only repurposing pushed rates raising raises raised quickly quality put profit por profiles problem pricing president prescription
Topic 5 | Coherence=-244897.73 | Top words= price not the it and is increase to with for worth no can increases more afford money this currently good now be lost anymore of at when longer enough your me make you up greedy using but are every life forcing choice nice face pop shoves especially keeping iny deal willing have problem continuous subscriber need saving used sharing so really right year support just expensive budget being value constant charge re nothing seems added job raising will ok time talk spending subscription daughter recent limited out options been great cost think she its sign justify happy keep opportunity way cant changes off policy college ridiculous return uses agree run quality living members high respect tightening legacy dad againlater frequent days jacking sick something do increasing anyways ut won start lol nonsense thank ripped again from tight due vaccine interested am an isn any getting becoming biggest newest original pls cannot lower twice since please why losing limit last extra should focused ill fiance finally financial improvements financially im first fix food huge fixed if flat in hungry husband idea few got feet increasses intolerable into everything instead inflation expected expenses increments extortion fact fees fair family fan increased far fault income forever feel fee households how having has hardly girl hard hand half give even given hacking hackednot go goes hacked going gone gonna guys greed grandkids gouging havent he forth health gotten household free house hosehold horrible fuel future games garbage holder history hiking hikes hike higher gas get her gf help had youre euro bf bills billings billing bill biden biased biannually between blindly better benefits benefit begin before because became bit both entertainment cancelling change cell caused caring cared care card canceling boyfriend cancel bye by business buggin broke break barely bank back adding alarming after adicional addtional addresses additional addition activities awhile acct accounts account access acceptance absurd about all allow allowed almost away automatically aunt as aren apps aparently anticonsumer another annually amounts amount amercian also already changed changing charged disappointed done don doesnt divorce disgusts disgusting discontinue direction day different differences didnt deteriorated isnt declined decisions dont double down drain entertaining end emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically death date charges combining connected compromised competitive compared company coming come combine damn climbing climb city choose checking cheaper charging consider consolidating constantly continously cutting cut customers customer current currency creep credit covid courtesy country costs continues continue continually delivering loyal issue soon started squeeze spouses spouse spend span sorry son short someone some situation single significant signaling sight starting states stay stealing taking take system switching summer success subscriptions subscribers sub stupid stranger stopping stopped stop stepdad shouldn share temporarily resubscribe rotating rising risen rise retiring retired resume restriction shady restrict restart residence reside repurposing replace rent rule rules same save several settled set servicio services service series sense selection seen see secure second scaling scales taste temporary remarried warrant went well weeks week we waste was wants us wanted want waiting wait vs virtue users were what whats where youll yet years yearly yall ya wouldn would workable work wont without wife who while use upward terrible thing today tired tipped times throughout through things they upping these there their thats that thanks than told too tooo town upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying try tried tracking renewing rejoin issues mistake move months monthly month monetary moment mom mind may might merge memberships membership member medical means moved moving much multiple on often offset offered offer notified nonesence non next news new never needed my must maybe married one laid lesser less left leave learning layoff later lack market kids kidding kept keeps joint join itself let letting like limiting many manservices making makes made luck loyalty loose looking long locations location ll live little once oneday reflect prescription provider profits profit profiles pricing prices president prefer poland preemptively power possible por popular
Topic 6 | Coherence=-240670.17 | Top words= subscription my with the you are extra charging out prices raising so other only gonna better reason your kept youre has cheaper it services people im in of if using keep charge now that an share was me for because already is who without cant same moved grandkids stay one dont newest moving family rates thing than news he bf others hike need higher do elsewhere business someone anymore husband take like constantly hikes power or limit boyfriend subscriptions at daughter idea states stepdad subscriber increase improvements any work differences we pay son residence many moment sub disappointed hosehold phone wife spouse political signaling remarried joint offered unable currently virtue months caring covid reside town broke temporary talk limited spending her end company replace increased job being edge happy forth flat future financially issues first fix issue isnt fixed interested isn fuel forever from frequent focused iny intolerable free food into forcing have financial its join expected keeping expenses expensive extortion acct face justify just fact fair fan itself far fault fee feel fees feet few fiance finally accounts jacking games increments garbage huge greed greedy guys hacked hackednot how hacking households household house had horrible holder history half hand every hiking high absurd hard hardly help health having great hungry instead gouging account inflation gas havent increasses get getting gf increasing girl give given access go increases goes going gone income acceptance about good ill got gotten everything adicional even bills addresses buggin budget break both blindly bit billings by billing bill biggest biden biased biannually between but bye benefit caused charges charged changing changes changed change cell cared can additional care card cannot cancelling canceling cancel benefits begin euro allowed and amounts amount amercian am also almost allow another all alarming agree againlater again after afford annually anticonsumer before awhile been becoming became be barely bank back away anyways automatically aunt as aren addtional apps aparently checking choice choose discontinue down double done doesnt divorce disgusts disgusting keeps drain direction different didnt deteriorated delivering declined decisions adding drastically city else activities especially entertainment entertaining enough emails email eliminating drive el easily earlier added each duplicate due death deal days compared continously constant consolidating consider connected compromised competitive coming day come combining combine college climbing addition climb continually continue continues continuous date damn dad cutting cut customers customer current currency creep credit courtesy country costs cost don loyal kidding shouldn started start squeeze spouses spend span sorry soon something some situation single since significant sign sight sick starting stealing stop system thats thanks thank terrible temporarily taste taking switching stopped support summer success subscribers stupid stranger stopping shoves should respect short run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict save saving scales service she sharing shady several settled set servicio series scaling sense selection seen seems see secure second their there these they what were went well weeks week way waste warrant wants wanted want waiting wait vs value vaccine whats when where wouldn youll yet years yearly year yall ya would while worth workable wont won willing will why ut uses users times tooo too told today to tired tipped time tried tightening tight throughout through this think things tracking try used unneeded use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under two twice restart repurposing kids maybe much move more monthly month money monetary mom mistake mind might merge memberships membership members member medical multiple must needed nothing on ok often offset offer off notified not never nonsense nonesence non no nice next new means may rent married live little limiting life letting let lesser less legacy left leave learning layoff later last laid lack living ll location loyalty market manservices making makes make made luck lower locations lost losing loose looking longer long lol once oneday ontario opened quality putting put pushed provider profits profit profiles problem pricing price president prescription prefer preemptively possible por
Topic 7 | Coherence=-236605.09 | Top words= and to my you for charge in extra no re me when going your subscription will ut anyways thank uses college sign with daughter she that bye is good more worth live different sharing continues want two another won kids im have cancel better if climb be price benefit services since on profiles mom membership other an paying using added places restrict city intolerable unfair support parents the both able about addresses use issues hikes rise raising family done but profits expected longer future sight kidding changing resume disgusting less bank fair end bill constant poland amercian thats awhile wants double emails platform go same allow creep gf payment spend amount up started boyfriend gonna enough went fees caring girl adding horrible even happy payday rate goes great getting gotten after got agree againlater again give grandkids gone given gouging forth get fixed fan far fault fee feel feet few fiance finally financial financially first fix flat gas focused food all forcing alarming forever greedy free frequent from fuel games garbage greed barely guys isn iny access into interested account instead inflation increments increasses increasing increases increased increase income accounts acceptance isnt hacked issue lack kept keeps keeping keep justify just joint join job jacking itself absurd its it improvements acct activities ill help addtional health he having havent adicional hardly hard afford hand half had hacking hackednot her high higher households idea husband addition hungry huge how household hike additional house hosehold holder history hiking has entertainment fact face checking cheaper charging charges charged apps changes changed change cell caused cared care card are choice choose aparently any consolidating consider connected anticonsumer compromised competitive compared climbing company coming come combining combine anymore cant cannot cancelling benefits biggest biden biased biannually bf between back billings being begin before been becoming because billing bills aren budget canceling can as by business buggin broke bit at break aunt automatically away blindly constantly annually amounts drive also easily earlier each duplicate due drastically el drain down dont don doesnt do edge eliminating disgusts every allowed extortion expensive expenses everything almost euro else already especially became entertaining email elsewhere divorce discontinue continously covid customers customer currently current currency credit courtesy cutting country costs cost continuous continue continually cut dad disappointed delivering direction last am differences didnt deteriorated declined damn decisions death deal days day date laid youre later states start squeeze spouses spouse spending span sorry soon son something someone some so situation single significant signaling starting stay temporarily stealing talk taking take system switching summer success subscriptions subscribers subscriber sub stupid stranger stopping stopped stop stepdad sick shoves shouldn should run rules rule rotating rising risen ripped right ridiculous return retiring retired resubscribe restriction restart respect residence save saving scales service short share shady several settled set servicio series scaling sense selection seen seems see secure second taste temporary repurposing whats were well weeks week we way waste was warrant wanted waiting wait vs virtue value vaccine users what where terrible while youll yet years yearly year yall ya wouldn would workable work wont without willing wife why who used us upward upping tipped times time tightening tight throughout through this think things thing they these there their thanks than tired today told under upcoming until unneeded unnecessary unfortunately unemployed understand unable too twice trying try tried tracking town tooo reside replace layoff never need must multiple much moving moved move months monthly month money monetary moment mistake mind might merge needed new one newest ok often offset offered offer off of now notified nothing not nonsense nonesence non nice next news memberships members member medical locations location ll living little limiting limited limit like life letting let lesser legacy left leave learning lol long looking making means maybe may married market many manservices makes loose make made luck loyalty lower lost losing once oneday rent raise quality putting put pushed provider profit problem pricing prices president prescription prefer preemptively power possible por popular quickly raised
Topic 8 | Coherence=-249535.28 | Top words= price subscriptions and many greedy your you hikes extra the to years charging share money also not past over of because fan few way subscription my don charges too in keep two been with married need pricing is on changing we keeps long addition benefits terrible sharing nonsense using dont moving husband got house consolidating memberships will are yall getting havent stealing one bye hike but rejoin this increase other from get significant fiance me after once now moved increasing away absurd passed settled recently use another later agree change ya cancelling recent expected multiple temporarily girl our merge spouses households household fees owner youre added aunt buggin climbing family double left currently addtional expensive cut aparently had hacking hacked hackednot guys apps greed great grandkids gouging anyways cancel anymore have health he having amounts an annually anticonsumer half any has hardly hard happy aren hand at gotten free garbage games future fuel became frequent forth as forever forcing for food focused flat gas be barely gf bank give back awhile given go goes going automatically gone gonna good her help amercian high iny issues access issue isnt isn account intolerable acct accounts into interested instead inflation increments it its itself jacking job join joint just justify acceptance keeping about kept kidding kids lack laid increasses activities higher holder alarming all hosehold horrible allow allowed almost increases history already am hiking fix amount againlater again how huge hungry afford idea if adicional ill im improvements addresses income additional adding increased fixed finally first continually bills costs cost continuous continues continue continously competitive constantly constant bit blindly consider connected billings country courtesy billing covid credit creep currency current customer customers cutting dad damn date daughter day compromised compared financially by budget changes changed cell caused business caring company cared care card cant cannot can charge charged broke break boyfriend cheaper checking choice choose city both climb college combine combining come coming days deal death euro extortion expenses bf everything every even especially decisions entertainment entertaining enough end emails email between face fact fair better benefit being far fault fee feel begin feet before becoming canceling financial elsewhere else biannually bill declined delivering deteriorated didnt differences different direction disappointed discontinue disgusting disgusts divorce do doesnt done biased biggest down drain drastically drive due duplicate biden each earlier easily edge el eliminating last loyal layoff stop stay states starting started start squeeze spouse spending spend span sorry soon son something someone some so stepdad stopped single stopping thank than temporary taste talk taking take system switching support summer success subscribers subscriber sub stupid stranger situation since retired see second scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return secure seems signaling seen sign sight sick shoves shouldn should short she shady several set servicio services service series sense selection thanks that thats whats were went well weeks week waste was warrant wants wanted want waiting wait vs virtue value vaccine what when their where youll yet yearly year wouldn would worth workable work wont won without willing wife why who while ut uses users used tooo told today tired tipped times time tightening tight throughout through think things thing they these there town tracking tried unnecessary us upward upping upcoming up until unneeded unfortunately try unfair unemployed understand under unable twice trying retiring resume learning non nice next news newest new never needed must much move more months monthly month monetary moment mom no nonesence mind nothing original or options option opportunity opening opened ontario only oneday ok often offset offered offer off notified mistake might resubscribe longer locations location ll living live little limiting limited limit like life letting let lesser less legacy leave lol looking membership loose members member medical means maybe may market manservices making makes make made luck loyalty lower lost losing others out outside reality re rather rates rate raising raises raised raise quickly quality putting put pushed provider profits profit profiles reactivate really
Topic 9 | Coherence=-242832.43 | Top words= and price the is to will increasing increases prices change we have customer at different subscription time you keep no in it ridiculous new fee pay my upcoming where like rates of long subscriber sharing use going only feel loyalty alarming there anticonsumer locations for that service country terrible want be addition acceptance reality more this as currency stop are loose billing dont location business greed sense resubscribe cheaper pricing doesnt well making decisions guys date changed make current hike unable moved lack from help addtional all me stopping while when youll need continually value money moving little point delivering euro users don ontario better benefit kept gouging climb history throughout another reason after raises reflect getting activities health replace higher summer financial opening due with expensive apps household other since us extortion frequent extra free finally expenses fuel future games just garbage expected everything every even forth fair forever keeping gas fiance financially few feet fees first fix fixed flat forcing focused food fault far fan family fact justify face issue hand get im holder jacking horrible hosehold house households how huge hungry itself husband idea if ill improvements gf income increase increased its issues increasses increments inflation instead interested into intolerable iny isn hiking hikes high her girl give given go goes gone gonna good got gotten grandkids great greedy hacked hackednot hacking had half isnt joint happy hard hardly has join job havent having he youre disappointed especially bf bills billings bill biggest biden biased biannually between blindly benefits being begin before been becoming because bit both caused cancel cared care card cant cannot cancelling canceling can boyfriend bye by but buggin budget broke break became barely bank additional allow agree againlater again afford adicional addresses adding back added acct accounts account access absurd about allowed almost already also awhile away automatically aunt aren aparently anyways anymore any annually an amounts amount amercian am caring cell entertainment didnt do divorce disgusts disgusting discontinue direction differences deteriorated double declined death deal days day daughter damn done down changes eliminating entertaining enough end emails email elsewhere else el drain edge easily earlier each duplicate drive drastically dad cutting cut city company coming come combining combine college climbing choose customers choice checking charging charges charged charge changing compared competitive compromised connected currently creep credit covid courtesy costs cost continuous continues continue continously constantly constant consolidating consider keeps loyal kidding shoves spouse spending spend span sorry soon son something someone some so situation single significant signaling sign sight spouses squeeze start sub take system switching support success subscriptions subscribers stupid started stranger stopped stepdad stealing stay states starting sick shouldn talk should same run rules rule rotating rising risen rise ripped right return retiring retired resume restriction restrict restart save saving scales servicio short she share shady several settled set services scaling series selection seen seems see secure second taking taste kids used were went weeks week way waste was warrant wants wanted waiting wait vs virtue vaccine ut using what whats who would yet years yearly year yall ya wouldn worth why workable work wont won without willing wife uses upward temporarily upping tired tipped times tightening tight through think things thing they these their thats thanks thank than temporary today told too understand up until unneeded unnecessary unfortunately unfair unemployed under tooo two twice trying try tried tracking town respect residence reside membership newest never needed must multiple much move months monthly month monetary moment mom mistake mind might merge news next nice offered oneday one once on ok often offset offer non off now notified nothing not nonsense nonesence memberships members repurposing member live limiting limited limit life letting let lesser less legacy left leave learning layoff later last laid living ll lol manservices medical means maybe may married market many makes longer made luck your lower lost losing looking opened opportunity option options quality putting put pushed provider profits profit profiles problem president prescription prefer preemptively power possible por popular
Topic 10 | Coherence=-251032.63 | Top words= you and keep prices to raising price not the anymore it money enough do use service customers up dont us your my about worth only with need customer fees greedy raised high increase being garbage too what just services wouldn go leave begin understand were that means hiking cared if even rules ll as cant stop why much re by care when of don this more put good many so rate new want share continues other fault damn save have afford thanks letting guys needed subscription but am paying quality really through forth inflation getting upping provider caused limiting hardly made was adding into president expenses get household gotten these biden blindly phone costs reducing some horrible keeps hacked success pay used lost cost should series drain continue mind amounts canceling barely off free laid huge popular warrant stranger connected down yet aren focused on cut change yall looking often rising single waste access pleased increased loyal constantly monthly recession please policies cell increasing prefer people platforms moved reflect unneeded prescription continously aparently awhile goes going away gone automatically gonna aunt at are got apps gouging bank grandkids great greed anyways any anticonsumer hackednot hacking had another half back be fix became flat biggest food biased for forcing forever biannually bf between better frequent from benefits benefit fuel future games before been gas becoming because gf girl give given hand happy hard annually hungry husband idea adicional addtional ill im improvements in addresses income additional addition increases added activities acct increasses accounts increments account instead interested acceptance intolerable absurd iny after again how almost an has amount havent having amercian he health also help already her allowed households higher hike hikes allow history all holder alarming hosehold agree house againlater fixed first continually financially delivering deteriorated didnt differences different isn college direction disappointed discontinue climbing disgusting disgusts divorce climb city doesnt choose choice done checking cheaper charging charges double charged charge declined decisions death company constant consolidating continuous consider compromised country competitive courtesy covid compared credit creep currency deal current currently coming come combining cutting dad combine date daughter day days changing changes drastically fair everything break expected boyfriend expensive both extortion bit extra bills face fact family broke fan far billings fee feel billing feet few fiance finally bill financial every euro changed eliminating drive due duplicate each earlier caring card cannot cancelling easily edge el cancel budget else elsewhere email emails can end bye entertaining business buggin entertainment especially is youre isnt son spouses spouse spending spend span sorry soon something shoves someone situation since significant signaling sign sight squeeze start started starting system switching support summer subscriptions subscribers subscriber sub stupid stopping stopped stepdad stealing stay states sick shouldn taking return rule rotating risen rise ripped right ridiculous retiring short retired resume resubscribe restriction restrict restart respect run same saving scales she sharing shady several settled set servicio sense selection seen seems see secure second scaling take talk reside waiting well weeks week we way wants wanted wait upward vs virtue value vaccine ut using uses went whats where while youll years yearly year ya would workable work wont won without willing will wife who users upcoming taste they time tightening tight throughout think things thing there until their thats thank than terrible temporary temporarily times tipped tired today unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking town tooo told residence repurposing issue me might merge memberships membership members member medical maybe loyalty may married market manservices making makes make mistake mom moment monetary nonsense nonesence non no nice next news newest never must multiple moving move months month luck lower notified keeping layoff later last lack kids kidding kept justify losing joint join job jacking itself its issues learning left legacy less loose longer long lol locations location living live little limited limit like life let lesser nothing now replace possible profits profit profiles problem pricing preemptively power por play pop politically political policy poland
 23%|██▎       | 11/48 [23:42<1:33:44, 152.01s/it]
Topic 11 | Coherence=-227262.74 | Top words= my to pay have greedy charge but is bill was just subscription after for youre and it extortion its taste disgusting are that company not increase so different profit additional starting about subscriptions family raising last profiles me do charged ill an card compromised because year without extra option allowed automatically told wanted credit bank prices be too much times what when should hacked half think notified today won another day since waiting until raised amount use way using currently girl give entertainment given gotten gf expensive got expenses expected good go especially euro even gonna gone goes everything face every going free getting fiance fix grandkids first financially financial finally few get feet fees far feel fee fault fan fixed flat focused food forcing forever forth fair frequent from fuel future games fact garbage gas gouging high great iny job jacking itself issues issue isnt isn intolerable joint into interested instead inflation increments increasses increasing join justify greed layoff let lesser less legacy left leave learning later keep laid lack kids kidding kept keeps keeping increases increased income has enough her help health he having havent hardly in hard happy hand had hacking hackednot guys higher hike hikes hiking improvements im if idea husband hungry huge how households household house hosehold horrible holder history entertaining discontinue end bit billings billing biggest biden biased biannually bf between better benefits benefit being begin before been becoming became bills blindly emails both caring cared care cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend barely back awhile away agree againlater again afford adicional addtional addresses addition adding added activities acct accounts account access acceptance absurd alarming all allow anymore aunt at as aren apps aparently anyways any almost anticonsumer annually amounts amercian am also already caused cell change cutting divorce disgusts life disappointed direction differences didnt deteriorated delivering declined decisions death deal days daughter date damn doesnt don done earlier email elsewhere else eliminating el edge easily each dont duplicate due drive drastically drain down double dad cut changed customers compared coming come combining combine college climbing climb city choose choice checking cheaper charging charges changing changes competitive connected consider costs customer current currency creep covid courtesy country cost consolidating continuous continues continue continually continously constantly constant letting loyal like something spouses spouse spending spend span sorry soon son someone shouldn some situation single significant signaling sign sight sick squeeze start started states take system switching support summer success subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay shoves short talk ripped same run rules rule rotating rising risen rise right she ridiculous return retiring retired resume resubscribe restriction restrict save saving scales scaling sharing share shady several settled set servicio services service series sense selection seen seems see secure second taking temporarily limit warrant whats were went well weeks week we waste wants used want wait vs virtue value vaccine ut uses where while who why youll you yet years yearly yall ya wouldn would worth workable work wont with willing will wife users us temporary they time tightening tight throughout through this things thing these upward there their the thats thanks thank than terrible tipped tired tooo town upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried tracking restart respect residence need no nice next news newest new never needed must monetary multiple moving moved move more months monthly month non nonesence nonsense nothing opportunity opening opened ontario only oneday one once on ok often offset offered offer off of now money moment reside long loyalty your lower lost losing loose looking longer lol mom locations location ll living live little limiting limited luck made make makes mistake mind might merge memberships membership members member medical means maybe may married market many manservices making options or original provider rate raises raise quickly quality putting put pushed profits other problem pricing price president prescription prefer preemptively power rates rather re
Average topic coherence for the top words is -240740.0424650222
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.48it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.49it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.53it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.49it/s]
 10%|█         | 5/50 [00:00<00:08,  5.47it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.49it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.49it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.48it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.50it/s]
 20%|██        | 10/50 [00:01<00:07,  5.51it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.48it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.48it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.48it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.50it/s]
 30%|███       | 15/50 [00:02<00:06,  5.51it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.50it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.50it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.47it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.49it/s]
 40%|████      | 20/50 [00:03<00:05,  5.48it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.49it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.51it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.51it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.49it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.48it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.48it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.50it/s]
 56%|█████▌    | 28/50 [00:05<00:03,  5.51it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.50it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.49it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.50it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.52it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.54it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.53it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.51it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.44it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.48it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.52it/s]
 78%|███████▊  | 39/50 [00:07<00:01,  5.52it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.50it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.50it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.50it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.49it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.47it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.48it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.47it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.49it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.50it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.50it/s]
100%|██████████| 50/50 [00:09<00:00,  5.49it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.94it/s]
  4%|▍         | 2/50 [00:00<00:06,  6.94it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.94it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.96it/s]
 10%|█         | 5/50 [00:00<00:06,  6.97it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.96it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.96it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.96it/s]
 18%|█▊        | 9/50 [00:01<00:05,  6.94it/s]
 20%|██        | 10/50 [00:01<00:05,  6.93it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.91it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.93it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.89it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.88it/s]
 30%|███       | 15/50 [00:02<00:05,  6.83it/s]
 32%|███▏      | 16/50 [00:02<00:04,  6.86it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.86it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.83it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.83it/s]
 40%|████      | 20/50 [00:02<00:04,  6.85it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.82it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.85it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.86it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.82it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.77it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.76it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.75it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.74it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.76it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.83it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.88it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.91it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.92it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  6.86it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.87it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.88it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.90it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.91it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.91it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.95it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  6.95it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.94it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.94it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.94it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.94it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.94it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.93it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  6.93it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.92it/s]
100%|██████████| 50/50 [00:07<00:00,  6.89it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.66it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.63it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.61it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.61it/s]
 10%|█         | 5/50 [00:01<00:12,  3.60it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.60it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.57it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.57it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.59it/s]
 20%|██        | 10/50 [00:02<00:11,  3.60it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.61it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.62it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.62it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.61it/s]
 30%|███       | 15/50 [00:04<00:09,  3.63it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.62it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.61it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.61it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.61it/s]
 40%|████      | 20/50 [00:05<00:08,  3.61it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.57it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.58it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.58it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.60it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.58it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.56it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.57it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.57it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.58it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.59it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.60it/s]
 64%|██████▍   | 32/50 [00:08<00:05,  3.59it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.60it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.60it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.61it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.61it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.61it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.60it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.60it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.61it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.61it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.62it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.61it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.60it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.60it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.60it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.58it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.58it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.57it/s]
100%|██████████| 50/50 [00:13<00:00,  3.60it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.84it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.82it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.82it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.83it/s]
 10%|█         | 5/50 [00:01<00:15,  2.84it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.83it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.81it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.82it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.81it/s]
 20%|██        | 10/50 [00:03<00:14,  2.81it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.82it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.82it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.82it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.82it/s]
 30%|███       | 15/50 [00:05<00:12,  2.83it/s]
 32%|███▏      | 16/50 [00:05<00:11,  2.84it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.84it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.83it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.83it/s]
 40%|████      | 20/50 [00:07<00:10,  2.83it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.81it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.82it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.82it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.82it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.81it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.82it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.82it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.82it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.81it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.82it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.82it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.83it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.83it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.84it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.82it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.82it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.81it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.83it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.84it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.85it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.87it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.88it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.88it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.88it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.87it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.88it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.89it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.89it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.89it/s]
100%|██████████| 50/50 [00:17<00:00,  2.84it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.88it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.87it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.85it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.84it/s]
 10%|█         | 5/50 [00:02<00:24,  1.83it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.82it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.82it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.83it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.85it/s]
 20%|██        | 10/50 [00:05<00:21,  1.85it/s]
 22%|██▏       | 11/50 [00:05<00:20,  1.86it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.86it/s]
 26%|██▌       | 13/50 [00:07<00:19,  1.87it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.87it/s]
 30%|███       | 15/50 [00:08<00:18,  1.87it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.87it/s]
 34%|███▍      | 17/50 [00:09<00:17,  1.88it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.88it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.88it/s]
 40%|████      | 20/50 [00:10<00:16,  1.87it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.87it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.87it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.87it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.88it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.87it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.88it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.88it/s]
 56%|█████▌    | 28/50 [00:15<00:11,  1.87it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.87it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.86it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.86it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.86it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.87it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.87it/s]
 70%|███████   | 35/50 [00:18<00:08,  1.87it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.87it/s]
 74%|███████▍  | 37/50 [00:19<00:06,  1.88it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.88it/s]
 78%|███████▊  | 39/50 [00:20<00:05,  1.88it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.88it/s]
 82%|████████▏ | 41/50 [00:21<00:04,  1.89it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.87it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.87it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.88it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.88it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.88it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.88it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.88it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.87it/s]
100%|██████████| 50/50 [00:26<00:00,  1.87it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.40it/s]
Topic 0 | Coherence=-245672.23 | Top words= and keep prices raising to other the people it services kept gonna cheaper better reason youre im out was so if now you only are using charging charge subscription extra money your that anymore on just in cut more me expenses from price save not am need us up want greed costs trying sharing loose new share been fees charges inflation letting fixed increased income caused added cant fee entertainment fuel stealing yall havent having will thanks years rise month by going much because afford almost president keeps biden rent per back squeeze continue with some yet rising try monthly another reducing bills retired non right must retiring looking customers really food biased constantly cutting unneeded hungry recession politically dont unnecessary spend euro eliminating gas off benefit into months garbage fair about games future fact justify fan far keeping fault get getting frequent family everything free flat gf financial financially expected first fix every fiance absurd focused feel expensive for forcing few feet forever forth extortion finally face grandkids girl higher horrible holder history hiking hikes hike high give her help intolerable health he iny hosehold house household interested households how huge husband idea instead ill increments improvements increasses increasing increase increases have is has its given go goes joint gone join job jacking good got itself gotten gouging great greedy hardly guys hacked issues hackednot hacking had half hand happy hard issue acceptance isnt isn addition done even bit budget broke acct break boyfriend both blindly billings business billing bill biggest biannually bf between activities buggin but being caring accounts charged changing changes changed change cell cared bye care card cannot cancelling canceling cancel can benefits begin especially all amounts amount amercian also already allowed allow alarming adding agree againlater again after adicional addtional addresses an annually before automatically becoming became be barely bank awhile away aunt anticonsumer at as aren apps aparently anyways any checking choice choose kidding additional don doesnt do divorce disgusts disgusting disappointed down direction different differences didnt deteriorated delivering declined double drain city el entertaining enough end emails email elsewhere else edge drastically easily earlier each duplicate due drive access decisions death deal compared continously constant consolidating consider connected compromised competitive company days coming come combining combine college climbing climb continually continues continuous cost day daughter date damn dad customer currently current currency creep credit covid account courtesy country discontinue loyal kids significant stepdad stay states starting started start spouses spouse spending span sorry soon son something someone situation single stop stopped stopping switching temporary temporarily taste talk taking take system support stranger summer success subscriptions subscribers subscriber sub stupid since signaling than sign second scaling scales saving same run rules rule rotating risen ripped ridiculous return resume resubscribe restriction restrict secure see seems shady sight sick shoves shouldn should short she several seen settled set servicio service series sense selection terrible thank respect ut what were went well weeks week we way waste warrant wants wanted waiting wait vs virtue value whats when where workable youll yearly year ya wouldn would worth work while wont won without willing wife why who vaccine uses thats users today tired tipped times time tightening tight throughout through this think things thing they these there their told too tooo unfair used use upward upping upcoming until unfortunately unemployed town understand under unable two twice tried tracking restart residence lack maybe my multiple moving moved move monetary moment mom mistake mind might merge memberships membership members member medical needed never newest offer oneday one once ok often offset offered of news notified nothing nonsense nonesence no nice next means may opened married little limiting limited limit like life let lesser less legacy left leave learning layoff later last laid live living ll luck market many manservices making makes make made loyalty location lower lost losing longer long lol locations ontario opening reside pop quickly quality putting put pushed provider profits profit profiles problem pricing prescription prefer preemptively power possible por raise
Topic 1 | Coherence=-231090.84 | Top words= back to will be of and for months this money my need the have month when ill come in is few time just country service your payment on ll break can end are losing budget not once with try got tight change move taking cancel year due doesnt well saving email making guys resubscribe make company decisions sense billing provider job we business laid only bit off consider through rectifying new rate at don increasses location makes else get offset each different currency it want tired current subscriptions spending summer payday phone dont again playing never subscribers games am reactivate emails moved me leave im play if rotating double feet next wouldn coming good free wait outside something repurposing fact issue later connected give forever cared moving awhile disgusts platform return broke under second begin week restart may all cutting monetary same soon join divorce unable happy reflect bye other greed future layoff own several gone replace out take fiance fuel finally financially frequent from family first fix fair fixed fees flat fan far fault fee forth focused feel food forcing financial youre garbage hike hiking history holder horrible hosehold house household households how huge hungry husband idea improvements income increase increased increases increasing increments inflation instead interested into intolerable iny isn isnt issues hikes higher gas high getting gf girl given go goes going gonna gotten gouging grandkids great greedy hacked hackednot hacking extra had half hand hard hardly has havent having he health help her face disappointed extortion before biannually bf between better benefits benefit being been biden becoming because became barely bank away automatically biased biggest as canceling caused caring care card cant cannot cancelling by bill but buggin boyfriend both blindly bills billings aunt aren expensive added afford adicional addtional addresses additional addition adding activities againlater acct accounts account access acceptance absurd about after agree apps an aparently anyways anymore any anticonsumer another annually amounts alarming amount amercian also already almost allowed allow cell changed changes differences down done do disgusting discontinue itself direction didnt drastically deteriorated delivering declined death deal days day drain drive changing entertainment expenses expected everything every even euro especially entertaining duplicate enough elsewhere eliminating el edge easily earlier daughter date damn city competitive compared combining combine college climbing climb choose dad choice checking cheaper charging charges charged charge compromised consolidating constant constantly cut customers customer currently creep credit covid courtesy costs cost continuous continues continue continually continously its loyal jacking spouse stay states starting started start squeeze spouses spend stepdad span sorry son someone some so situation stealing stop since switching than terrible temporary temporarily taste talk system support stopped success subscription subscriber sub stupid stranger stopping single significant joint rising secure scaling scales save run rules rule risen seems rise ripped right ridiculous retiring retired resume see seen signaling she sign sight sick shoves shouldn should short sharing selection share shady settled set servicio services series thank thanks that was whats what were went weeks way waste warrant while wants wanted waiting vs virtue value vaccine where who thats would youll you yet years yearly yall ya worth why workable work wont won without willing wife ut using uses tightening town tooo too told today tipped times throughout users think things thing they these there their tracking tried trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand two restriction restrict respect might much more monthly moment mom mistake mind merge must memberships membership members member medical means maybe multiple needed opening now ontario oneday one ok often offered offer notified newest nothing nonsense nonesence non no nice news married market many last letting let lesser less legacy left learning lack manservices kids kidding kept keeps keeping keep justify life like limit limited made luck loyalty lower lost loose looking longer long lol locations living live little limiting opened opportunity residence profit raise quickly quality putting put pushed profits profiles raises problem pricing prices price president prescription
Topic 2 | Coherence=-245251.07 | Top words= price you the extra of charging share to your not hikes many greedy and sharing subscriptions subscription because for my increase also way fan past years few over too is money with out keep hike no an me newest charges are cant addition support using pricing paying terrible im bye without family if longer grandkids stay will charge willing recent talk limited now canceling options continues profiles reality future parents acceptance really lack expected issues hacked something won spending great rise good happy stopping rate change sight expensive before budget daughter increases absurd living next preemptively end series got popular unable in saving caring hard allow town opportunity damn lol policy girl upping fix buggin more keeps one married trying original another unnecessary greed moving ontario fuel even gas everything games garbage every get fees from expenses feel feet fee fiance finally fault getting financially first far fixed flat focused food forcing fair forever fact face forth extortion free frequent financial youre gf interested how huge hungry husband idea ill improvements income increased increasing increasses increments inflation instead into household intolerable iny isn isnt issue it its itself jacking job join joint just justify households house give hand given go goes going gone gonna gotten gouging guys hackednot hacking had especially half hardly hosehold has have havent having he health help her high higher hiking history holder horrible euro disgusts entertainment billings bill biggest biden biased biannually bf between better benefits benefit being begin been becoming became be barely billing bills back bit cell caused cared care card cannot cancelling cancel can by but business broke break boyfriend both blindly bank awhile changes all agree againlater again after afford adicional addtional addresses additional adding added activities acct accounts account access about alarming allowed away almost automatically aunt at as aren apps aparently anyways anymore any anticonsumer annually amounts amount amercian am already changed changing entertaining done doesnt do divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days don dont date double enough emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down day dad charged consolidating connected compromised competitive compared company coming come combining combine college climbing climb city choose choice checking cheaper consider constant cutting constantly cut customers customer currently current currency creep credit covid courtesy country costs cost continuous continue continually continously keeping loyal kept signaling starting started start squeeze spouses spouse spend span sorry soon son someone some so situation single since states stealing stepdad switching than temporary temporarily taste taking take system summer stop success subscribers subscriber sub stupid stranger stopped significant sign thanks sick scales save same run rules rule rotating rising risen ripped right ridiculous return retiring retired resume resubscribe scaling second secure settled shoves shouldn should short she shady several set see servicio services service sense selection seen seems thank that kidding ut were went well weeks week we waste was warrant wants wanted want waiting wait vs virtue value what whats when would youll yet yearly year yall ya wouldn worth where workable work wont wife why who while vaccine uses thats users today tired tipped times time tightening tight throughout through this think things thing they these there their told tooo tracking unneeded used use us upward upcoming up until unfortunately tried unfair unemployed understand under two twice try restriction restrict restart medical multiple much moved move months monthly month monetary moment mom mistake mind might merge memberships membership members must need needed off once on ok often offset offered offer notified never nothing nonsense nonesence non nice news new member means respect maybe limiting limit like life letting let lesser less legacy left leave learning layoff later last laid kids little live ll luck may market manservices making makes make made loyalty location lower lost losing loose looking long locations oneday only opened opening raising raises raised raise quickly quality putting put pushed provider profits profit problem prices president prescription prefer
Topic 3 | Coherence=-226597.99 | Top words= to my is just it subscription not after pay so for raising that was do charge have starting profit additional greedy last profiles but prices year card an and bill compromised ill increase charged allowed automatically wanted option credit told bank without because others anymore go will expensive are same than budget higher switching who rates enough using keep thing charging compared as even this cheaper by being used tightening can againlater up hacked return continue opened declined duplicate when stranger notified out today mistake take think currency date fair euro try worth kept waiting break day until yet yearly prefer customer fix loyal payment no joint forcing justify food forever keeping keeps focused flat forth frequent free join job from fuel future jacking games itself garbage gas get getting fixed finally first financially learning layoff every later everything laid expected lack expenses kids extortion extra face fact kidding family fan far fault fee feel fees feet few fiance girl financial gf hosehold give health increased hard hardly income has in improvements havent having im especially he if idea husband its help hungry her high huge how households hike household hikes hiking history house holder happy increases hand half horrible given issue isnt goes going gone isn iny gonna good intolerable got gotten gouging grandkids into great greed interested guys instead inflation increments hackednot increasses increasing hacking had issues differences entertainment benefit biden biased biannually bf between better benefits begin billing before been becoming became be barely back biggest billings cell cancel caring cared care cant cannot cancelling canceling bye bills business buggin broke boyfriend both blindly bit awhile away aunt added again afford adicional addtional addresses addition adding activities at acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways any anticonsumer another annually amounts amount amercian am also already almost caused change entertaining different doesnt divorce disgusts disgusting discontinue disappointed direction left done didnt deteriorated delivering decisions death deal days don dont changed edge end emails email elsewhere else eliminating el easily double earlier each due drive drastically drain down daughter damn dad climbing competitive company coming come combining combine college climb cutting city choose choice checking charges changing changes connected consider consolidating constant cut customers currently current creep covid courtesy country costs cost continuous continues continually continously constantly leave youre legacy since sorry soon son something someone some situation single significant less signaling sign sight sick shoves shouldn should short span spend spending spouse success subscriptions subscribers subscriber sub stupid stopping stopped stop stepdad stealing stay states started start squeeze spouses she sharing share rules rotating rising risen rise ripped right ridiculous retiring retired resume resubscribe restriction restrict restart respect residence reside rule run shady save several settled set servicio services service series sense selection seen seems see secure second scaling scales saving summer support system were well weeks week we way waste warrant wants want wait vs virtue value vaccine ut uses users went what us whats youll you years yall ya wouldn would workable work wont won with willing wife why while where use upward taking times tight throughout through things they these there their the thats thanks thank terrible temporary temporarily taste talk time tipped upping tired upcoming unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying tried tracking town tooo too repurposing replace rent needed must multiple much moving moved move more months monthly month money monetary moment mom mind might merge need never membership new on ok often offset offered offer off of now nothing nonsense nonesence non nice next news newest memberships members one loose longer long lol locations location ll living live little limiting limited limit like life letting let lesser looking losing member lost medical means me maybe may married market many manservices making makes make made luck loyalty your lower once oneday renewing raise quality putting put pushed provider profits problem pricing price president prescription preemptively power possible por popular pop quickly raised political
Topic 4 | Coherence=-250588.24 | Top words= the it raised price to you afford can not pay time that but this just too dont now worth many once my shady tried will almost offer cancel fact at used use have your high also way increase like and in last months get rules long fees right as cant be am job moved willing lost expensive anymore for by using out of see getting think increasing has keeps enough renewing hardly customers amount money fault cannot new far rejoin on while given moving multiple don household work got service thanks later users only month hand limiting charge was start moment focused justify didnt longer thank phone up settled forcing making single resubscribe any billings first currently sense going apps options aren horrible stopped cancelling temporarily interested temporary let ya warrant again shoves short gotten becoming what caused increases tight two girl me from upping try membership feet games family fix everything flat gas even every fee garbage fair expected future financially financial extra feel finally extortion fan food fiance expenses forever forth fixed few frequent face fuel free youre gf increased hosehold house households how huge hungry husband idea if ill im improvements income increasses give increments inflation instead into intolerable iny is isn isnt issue issues its itself holder history hiking hikes go goes gone gonna good gouging grandkids great greed greedy guys hacked hackednot hacking had half happy hard especially havent having he health help her higher hike euro delivering entertainment charges bills billing bill biggest biden biased biannually bf between better benefits benefit being begin before been because bit blindly both care changing changes changed change cell caring cared card boyfriend canceling bye business buggin budget broke break became barely bank added after adicional addtional addresses additional addition adding activities agree acct accounts account access acceptance absurd about againlater alarming back anticonsumer awhile away automatically aunt are aparently anyways another all annually an amounts amercian already allowed allow charged charging entertaining cheaper do divorce disgusts disgusting discontinue disappointed direction different differences deteriorated declined decisions death deal days day daughter doesnt done double edge end emails email elsewhere else eliminating el easily down earlier each duplicate due drive drastically drain date damn dad combining connected compromised competitive compared company coming come combine consolidating college climbing climb city choose choice checking consider constant cutting courtesy cut customer current currency creep credit covid country constantly costs cost continuous continues continue continually continously jacking loyal join so span sorry soon son something someone some situation spending since significant signaling sign sight sick shouldn spend spouse she stopping subscriptions subscription subscribers subscriber sub stupid stranger stop spouses stepdad stealing stay states starting started squeeze should sharing summer restriction rise ripped ridiculous return retiring retired resume restrict rising restart respect residence reside repurposing replace rent risen rotating share seems several set servicio services series selection seen secure rule second scaling scales saving save same run success support reflect wanted went well weeks week we waste wants want whats waiting wait vs virtue value vaccine ut were when us would youll yet years yearly year yall wouldn workable where wont won without with wife why who uses upward switching their throughout through things thing they these there thats times than terrible taste talk taking take system tightening tipped upcoming under until unneeded unnecessary unfortunately unfair unemployed understand unable tired twice trying tracking town tooo told today remarried reducing joint mom need must much move more monthly monetary mistake never mind might merge memberships members member medical needed newest maybe off ontario oneday one ok often offset offered notified news nothing nonsense nonesence non no nice next means may opening learning life letting lesser less legacy left leave layoff limited laid lack kids kidding kept keeping keep limit little married lower market manservices makes make made luck loyalty losing live loose looking lol locations location ll living opened opportunity reduce prices pushed provider profits profit profiles problem pricing president putting prescription prefer preemptively power possible por popular
Topic 5 | Coherence=-230351.41 | Top words= price prices to the your and raising up of have that with for since has high hike continues no was climb months benefit keep cut member just greedy services cared gone ll like were better leave you added about back in enough hiking deteriorated stop understand what drastically due span means as selection if us being possible trying ridiculous these more damn lost other on been re much need its increase oneday sorry earlier or good bills change went gas respect legacy reduce fault twice is members run became continously restriction spending access mind stupid limiting do yall support kidding raised annually acceptance piracy account expenses throughout raises again history vaccine date my wont medical lower pls nonesence holder death guys loyal job payday addition hard first feet few intolerable fiance into interested finally financial instead financially fix inflation fees fixed increments increasses flat focused food increasing increases forcing forever iny fee feel face everything expected keeps keeping justify expensive joint join extortion extra jacking isn itself fact fair it family fan issues far issue isnt increased income hardly help got hosehold gotten horrible gouging grandkids hikes great greed higher her health gonna he having hacked hackednot havent hacking had half hand happy even house household improvements husband forth free im frequent from fuel future ill games garbage idea get going getting gf girl give given hungry huge go how households goes every disgusts euro bank blindly bit billings billing bill biggest biden biased biannually bf between benefits begin before becoming because be both boyfriend break canceling caused caring care card cant cannot cancelling cancel broke can bye by but business buggin budget barely awhile especially away allowed allow all alarming agree againlater after afford adicional addtional addresses additional adding activities acct accounts absurd almost already also anyways automatically aunt at aren are apps aparently anymore am any anticonsumer another an amounts amount amercian cell changed changes changing doesnt divorce disgusting discontinue disappointed direction different differences didnt delivering declined decisions deal days day daughter dad don done dont eliminating entertainment entertaining end emails email elsewhere else el double edge easily each duplicate drive drain down cutting customers customer city company coming come combining combine college climbing choose competitive choice checking cheaper charging charges charged charge compared compromised currently costs current currency creep credit covid courtesy country cost connected continuous continue continually constantly constant consolidating consider kept youre kids signaling stay states starting started start squeeze spouses spouse spend soon son something someone some so situation single stealing stepdad stopped switching temporary temporarily taste talk taking take system summer stopping success subscriptions subscription subscribers subscriber sub stranger significant sign than sight second scaling scales saving save same rules rule rotating rising risen rise ripped right return retiring retired secure see seems share sick shoves shouldn should short she sharing shady seen several settled set servicio service series sense terrible thank resubscribe using when whats well weeks week we way waste warrant wants wanted want waiting wait vs virtue value where while who would youll yet years yearly year ya wouldn worth why workable work won without willing will wife ut uses thanks users told today tired tipped times time tightening tight through this think things thing they there their thats too tooo town unnecessary used use upward upping upcoming until unneeded unfortunately tracking unfair unemployed under unable two try tried resume restrict lack merge news newest new never needed must multiple moving moved move monthly month money monetary moment mom mistake next nice non often opening opened ontario only one once ok offset nonsense offered offer off now notified nothing not might memberships option membership location living live little limited limit life letting let lesser less left learning layoff later last laid locations lol long making me maybe may married market many manservices makes longer make made luck loyalty losing loose looking opportunity options restart power rates rate raise quickly quality putting put pushed provider profits profit profiles problem pricing president prescription prefer rather
Topic 6 | Coherence=-247323.96 | Top words= for it prices too is and keep expensive going no me customer increasing now long at price much don time service other this subscriber rates worth like only money we you alarming loyalty feel with there will anymore need new paying many to keeps use just not upward nonsense unfortunately as benefits before changing charges been currently again care first dont rising enough terrible take of start stop things services fees added way help stupid save into date high upping never put right adding unable vs billing success rule reason more maybe all later by some raising cancel its amounts being used huge family itself every workable especially won second rules good let using horrible change whats opportunity offered prescription overpriced climbing few reside secure news support subscription weeks was hackednot easily made disappointed platforms prefer raise loyal sub card else since platform want caring garbage life redo resume anticonsumer another gonna annually an goes go gone any given amount got amercian anyways gotten gouging grandkids am great greed greedy also guys hacked already hacking had give changes aparently forth financial bank financially back fix fixed flat awhile focused food away forcing automatically forever free girl aunt frequent from fuel future games gas aren get getting are apps hand gf half hardly happy idea ill im additional improvements addition in income increase increased increases activities increasses acct increments inflation instead interested accounts intolerable account iny access acceptance absurd isn isnt issue issues about if husband hard hungry fiance has have havent almost allowed having he health allow agree her againlater higher after hike afford hikes hiking history holder adicional hosehold house addtional household households how addresses finally fee barely continuous costs cannot country courtesy cancelling canceling covid can credit creep currency bye current but customers cut cutting dad damn business daughter buggin day days deal death budget declined delivering cost cant didnt continues charged changed cell charging cheaper checking choice choose city climb caused college combine combining come coming company compared competitive compromised connected consider consolidating cared constant constantly continously continually continue deteriorated differences feet el elsewhere email emails end bf entertaining entertainment between euro even better everything expected benefit expenses begin extortion extra face fact fair becoming fan because far fault charge became be eliminating edge different biannually direction broke break discontinue disgusting disgusts divorce do boyfriend doesnt both blindly done bit bills double down billings drain drastically drive due duplicate each earlier bill biggest biden biased decisions youre jacking single sorry soon son something someone so situation significant spend signaling sign sight sick shoves shouldn should span spending talk stopped system switching summer subscriptions subscribers stranger stopping stepdad spouse stealing stay states starting started squeeze spouses short she sharing restrict ripped ridiculous return retiring retired resubscribe restriction restart share respect residence repurposing replace rent renewing remarried rise risen rotating run shady several settled set servicio series sense selection seen seems see scaling scales saving same taking taste job wanted were went well week waste warrant wants waiting when wait virtue value vaccine ut uses users what where temporarily wouldn youll yet years yearly year yall ya would while work wont without willing wife why who us upcoming up these tightening tight throughout through think thing they their until the thats that thanks thank than temporary times tipped tired today unneeded unnecessary unfair unemployed understand under two twice trying try tried tracking town tooo told rejoin reflect reducing membership moment mom mistake mind might merge memberships members month member medical means may married market manservices monetary monthly reduce next offer off notified nothing nonesence non nice newest months needed my must multiple moving moved move making makes make laid less legacy left leave learning layoff last lack luck kids kidding kept keeping justify joint join lesser letting limit limited your lower lost losing loose looking longer lol locations location ll living live little limiting offset often ok por profiles problem pricing president preemptively power possible popular pleased pop politically political policy policies
Topic 7 | Coherence=-242888.15 | Top words= price and the subscription is increases my to be too many where we will in your use have now different access am why you greed luck increments checking more good change canceling pay upcoming ridiculous on fee for with as money locations anticonsumer me can deal has people continuous going saving problem live increase new months need how customer won two go their tracking service divorce down wife they times both able of stop youll addresses addtional gotten left back courtesy through competitive shouldn manservices market over drive want from less quality re continues edge pick pushed much anymore than tired barely broke own drain this intolerable charge done becoming short dad gf ll covid reality gouging reflect changed disappointed sub possible life town hike news what thank right flat make never squeeze opened lol an original grandkids another any annually got great amounts greedy cannot guys hacked gonna hackednot hacking had half hand amount happy amercian also hard hardly already anyways are aparently aunt first fix bank fixed focused awhile food away forcing forever forth free frequent automatically at gone fuel future games garbage gas get getting aren girl give given allowed goes apps almost he havent account income addition adding increased added activities acct increasing increasses accounts inflation instead interested into acceptance allow iny absurd about isn isnt issue issues it its itself jacking job join joint additional improvements im ill all having financial alarming health help her high higher hikes hiking history holder horrible hosehold house agree household households againlater again after huge hungry husband afford idea adicional if financially few became break bit blindly country costs cost boyfriend budget decisions continue continually continously constantly constant consolidating credit creep currency current currently bills customers cut cutting billings damn date daughter day billing days bill consider connected buggin cheaper card cancelling care cared caring caused cell cancel changes changing bye charged charges charging by compromised choice choose city climb climbing college combine combining come coming company compared but business death declined finally especially expected everything every even euro been entertainment delivering entertaining enough end emails before email expenses expensive extortion extra face fact fair family fan far fault because feel fees feet cant fiance elsewhere begin else biannually deteriorated didnt differences biggest direction justify discontinue disgusting disgusts biden do biased doesnt don dont eliminating double bf between drastically better benefits due benefit duplicate each earlier easily being el just youre keep take spending spend span sorry soon son something someone some so situation single since significant signaling sign sight spouse spouses start stupid switching support summer success subscriptions subscribers subscriber stranger started stopping stopped stepdad stealing stay states starting sick shoves should ripped run rules rule rotating rising risen rise return save retiring retired resume resubscribe restriction restrict restart same scales she services sharing share shady several settled set servicio series scaling sense selection seen seems see secure second system taking keeping talk well weeks week way waste was warrant wants wanted waiting wait vs virtue value vaccine ut using went were whats would yet years yearly year yall ya wouldn worth when workable work wont without willing who while uses users used these time tightening tight throughout think things thing there today thats that thanks terrible temporary temporarily taste tipped told us unfair upward upping up until unneeded unnecessary unfortunately unemployed tooo understand under unable twice trying try tried respect residence reside repurposing needed must multiple moving moved move monthly month monetary moment mom mistake mind might merge memberships membership newest next nice offered only oneday one once ok often offset offer no off notified nothing not nonsense nonesence non members member medical layoff like letting let lesser legacy leave learning later limited last laid lack kids kidding kept keeps limit limiting means lower maybe may married making makes made loyalty lost little losing loose looking longer long location living ontario opening opportunity profit raised raise quickly putting put provider profits profiles raising pricing prices president prescription prefer preemptively power
Topic 8 | Coherence=-233706.50 | Top words= my and subscription paying will that you to are me in have subscriptions married two we need is kids this be cancel when don want away passed live using made mom getting only increase putting choose one the membership activities already got since of between into another going about other or restrict taking different places price keep expensive she memberships moving consolidating husband bill break done why like account business back owner should states fiance quality garbage blindly households constant creep had hard changing resume her constantly financially less idea bank after outside more own recently elsewhere accounts combining kidding some thats needed has boyfriend household platform unfair city now wants combine time news wife might over anyways decisions owning parent sign limit aunt merge get instead profits person been power spouses awhile hacked settled opening didnt redo reality pick sight extortion help doesnt am competitive as became barely gotten gouging grandkids great greed greedy guys automatically hackednot at hacking half health aren apps aparently hand happy anymore any hardly anticonsumer annually an havent having because good gonna bf free bills frequent billings billing biggest from biden biased fuel future games biannually better gone gas benefits benefit being gf girl begin give before given go goes becoming he amounts forth acct increases increasing increasses addresses increments inflation additional addition adding interested added intolerable iny access addtional isn isnt issue issues it its itself jacking acceptance absurd job join joint increased income amount horrible amercian high also almost allowed higher hike hikes hiking allow history holder all hosehold adicional house alarming agree how againlater huge hungry again afford if ill im improvements bit forever compromised forcing date daughter day days deal death charging declined delivering deteriorated charges differences charged direction charge disappointed discontinue changes disgusting disgusts divorce do just changed change dont double down drain damn dad cutting continues compared connected consider company coming come college climbing climb continously choice continually continue continuous cut checking cost costs country courtesy covid credit cheaper currency current currently customer customers drastically drive cell finally can fact fair family fan far fault fee feel fees feet few bye financial extra by first but buggin fix budget fixed flat broke focused food for both face canceling due end duplicate caused each earlier easily caring edge el eliminating else cared email emails enough cancelling entertaining care card entertainment especially euro cant even every everything expected expenses cannot youre loyal justify their stop stepdad stealing stay starting started start squeeze spouse spending spend span sorry soon son something someone stopped stopping stranger take thank than terrible temporary temporarily taste talk system stupid switching support summer success subscribers subscriber sub so situation single rules second scaling scales saving save same run rule see rotating rising risen rise ripped right ridiculous secure seems significant shady signaling sick shoves shouldn short sharing share several seen set servicio services service series sense selection thanks there keeping these whats what were went well weeks week way waste was warrant wanted waiting wait vs virtue value where while who wouldn youll yet years yearly year yall ya would willing worth workable work wont won without with vaccine ut uses times town tooo too told today tired tipped tightening tried tight throughout through think things thing they tracking try users until used use us upward upping upcoming up unneeded trying unnecessary unfortunately unemployed understand under unable twice return retiring retired resubscribe multiple much moved move months monthly month money monetary moment mistake mind members member medical means maybe must never new notified on ok often offset offered offer off nothing newest not nonsense nonesence non no nice next may market many leave limited life letting let lesser legacy left learning little layoff later last laid lack kept keeps limiting living manservices lost making makes make luck loyalty your lower losing ll loose looking longer long lol locations location once oneday ontario raise re rather rates rate raising raises raised quickly really put pushed provider profit profiles problem pricing
Topic 9 | Coherence=-236007.84 | Top words= you prices are year price much the your seems or increasing it too is after increases not other entertaining biannually has increase ill consider do far company like options raising many when good every of dont to cost be was nothing really but times business guys why amount added with subscription have ok rates so needed forth what want because put off raised take elsewhere started services pricing users constantly about currently use without thing raise should half this improvements between differences laid need sick any sharing being in charged addition often system changes poland agree workable everything policy amercian lol stop made risen ripped personal issues please way quickly live por servicio greedy adicional new going adding signaling pagos reducing biggest el continue political terrible virtue tired expenses tooo pay changed warrant situation waste anyways spend deal already financial resume from upping customers consolidating damn living doesnt original horrible finally forcing for fee feel fees fault expensive feet few fiance food extortion forever extra even fan especially financially euro first focused face expected family fact fix fair flat fixed youre free house husband hungry huge how households household hosehold if holder history hiking hikes hike higher idea im frequent intolerable itself its issue isnt isn iny into income interested instead inflation increments increasses increased high her help gf gone goes go given give girl getting health get gas garbage games future fuel gonna got gotten gouging great greed hacked hackednot hacking had hand happy hard hardly havent having he grandkids deteriorated entertainment better bills billings billing bill biden biased bf benefits enough benefit begin before been becoming became barely bit blindly both boyfriend cared care card cant cannot cancelling canceling cancel can bye by buggin budget broke break bank back awhile allowed all alarming againlater again afford addtional addresses additional activities acct accounts account access acceptance absurd allow almost away also automatically aunt at as aren apps aparently anymore anticonsumer another annually and an amounts am caring caused cell don disgusts disgusting discontinue disappointed direction different didnt job delivering declined decisions death days day daughter divorce done dad double end emails email else eliminating edge easily earlier each duplicate due drive drastically drain down date cutting change compared come combining combine college climbing climb city choose choice checking cheaper charging charges charge changing coming competitive cut compromised customer current currency creep credit covid courtesy country costs continuous continues continually continously constant connected jacking loyal join someone spouse spending span sorry soon son something some squeeze single since significant sign sight shoves shouldn spouses start she sub switching support summer success subscriptions subscribers subscriber stupid starting stranger stopping stopped stepdad stealing stay states short share talk resubscribe rising rise right ridiculous return retiring retired restriction rule restrict restart respect residence reside repurposing replace rotating rules shady seen several settled set service series sense selection see run secure second scaling scales saving save same taking taste renewing waiting went well weeks week we wants wanted wait whats vs value vaccine ut using uses used were where upward would youll yet years yearly yall ya wouldn worth while work wont won willing will wife who us upcoming temporarily these tightening tight throughout through think things they there tipped their thats that thanks thank than temporary time today up under until unneeded unnecessary unfortunately unfair unemployed understand unable told two twice trying try tried tracking town rent remarried joint member mistake mind might merge memberships membership members medical moment means me maybe may married market manservices mom monetary makes must no nice next news newest never my multiple money moving moved move more months monthly month making make nonesence lack legacy left leave learning layoff later last kids lesser kidding kept keeps keeping keep justify just less let luck long loyalty lower lost losing loose looking longer locations letting location ll little limiting limited limit life non nonsense rejoin possible profiles problem president prescription prefer preemptively power popular profits pop politically policies point pls pleased playing
Topic 10 | Coherence=-237973.12 | Top words= you and about extra the family for that bill to my want increase don money using with pay charge like of share when subscription outside youre limit power news different idea company disgusting states taste extortion its but greedy have are me even subscriptions people sharing customers just another garbage re kids from rate care do more they guys customer service stop something your better spend waste because moved how intolerable unfair city changed fair start issues financial will time us rather there learning would again on country some hosehold unemployed currency squeeze declined current having dad yet activities cant location agree summer gonna health change return card well residence eliminating town aren nothing gone good happy goes go going gouging got gotten half grandkids hand great greed againlater hacked hackednot hacking had given biased give focused fixed fix first financially already finally fiance few feet fees feel fee fault far fan flat food girl almost alarming gf get gas all games future fuel allow frequent free forth forever allowed forcing getting afford hard hardly it accounts issue isnt isn is acct iny into interested instead inflation increments increasses increasing account itself jacking keeping last laid lack kidding kept keeps absurd job acceptance keep justify access joint join increases increased added high history hiking hikes hike adicional higher her holder help am he havent after has addtional addresses income husband in improvements im ill if adding hungry horrible huge addition households household additional house also everything fact face climbing climb awhile back choose choice checking cheaper charging charges charged bank barely changing be college combine combining consolidating continually continously constantly constant aunt automatically consider come connected compromised competitive compared away coming changes became becoming blindly break benefit boyfriend benefits both between bf budget bit bills billings billing biannually biggest broke buggin cell cannot caused caring cared been before begin cancelling business canceling cancel can bye by being continue continues at any else el edge annually easily anticonsumer earlier email each duplicate due drive drastically drain elsewhere emails double biden amercian amount amounts expensive expenses expected every end an euro especially entertainment entertaining enough down dont continuous as day daughter date damn cutting cut currently deal creep credit covid courtesy costs cost days death done discontinue anymore doesnt anyways divorce disgusts aparently disappointed decisions direction apps later didnt deteriorated delivering differences loyal layoff spouses spending span sorry soon son someone so situation single since significant signaling sign sight sick shoves shouldn spouse started short starting talk taking take system switching support success subscribers subscriber sub stupid stranger stopping stopped stepdad stealing stay should she rent rules rotating rising risen rise ripped right ridiculous retiring retired resume resubscribe restriction restrict restart respect reside repurposing rule run shady same several settled set servicio services series sense selection seen seems see secure second scaling scales saving save temporarily temporary terrible whats were went weeks week we way was warrant wants wanted waiting wait vs virtue value vaccine ut what where than while youll years yearly year yall ya wouldn worth workable work wont won without willing wife why who uses users used use today tired tipped times tightening tight throughout through this think things thing these their thats thanks thank told too tooo unfortunately upward upping upcoming up until unneeded unnecessary understand tracking under unable two twice trying try tried replace renewing leave next new never needed need must multiple much moving move months monthly month monetary moment mom mistake mind newest nice merge no ontario only oneday one once ok often offset offered offer off now notified not nonsense nonesence non might memberships remarried loose longer long lol locations ll living live little limiting limited life letting let lesser less legacy left looking losing membership lost members member medical means maybe may married market many manservices making makes make made luck loyalty lower opened opening opportunity quality put pushed provider profits profit profiles problem pricing prices price president prescription prefer preemptively possible por popular putting quickly
Topic 11 | Coherence=-232819.99 | Top words= with my subscription in has one so already an price life is moved the you dont need subscriber expensive subscriptions face choice pop shoves keeping more forcing iny especially anymore make currently up other nice have to lost your moving who extra someone bf he husband family charge just house everything that same only what cant me pay daughter scales goes continually tipped finally direction else significant two stepdad much like it for boyfriend selection got son at agree offered residence wife aparently ut phone hikes uses cheaper keeps service getting increased location hacking stay spouse new joint remarried our ontario hacked charging acct grandkids college seen share thank we than multiple replace higher situation apps afford company hosehold games fee financially fix fixed first garbage girl gas entertainment financial feel get fiance few gf entertaining future extortion fault fan forth free feet expenses fact fair expected frequent every euro from fuel food far focused even forever flat fees had give interested hungry idea if ill im improvements income increase increases increasing increasses increments inflation instead into given intolerable isn isnt issue issues its itself jacking job join justify keep kept kidding huge how households household go going gone gonna good gotten gouging great greed greedy guys hackednot end half hand happy hard hardly havent having health help her high hike hiking history holder horrible enough youre emails billing biggest biden biased biannually between better benefits benefit being begin before been becoming because became be barely bill billings back bills card cannot cancelling canceling cancel can bye by but business buggin budget broke break both blindly bit bank awhile email all againlater again after adicional addtional addresses additional addition adding added activities accounts account access acceptance absurd about alarming allow away allowed automatically aunt as aren are anyways any anticonsumer another annually and amounts amount amercian am also almost care cared caring disgusts discontinue disappointed lack different differences didnt deteriorated delivering declined decisions death deal days day date damn dad disgusting divorce caused do elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down double done don doesnt cutting cut customers customer compared coming come combining combine climbing climb city choose checking charges charged changing changes changed change cell competitive compromised connected costs current currency creep credit covid courtesy country cost consider continuous continues continue continously constantly constant consolidating kids loyal laid stop states starting started start squeeze spouses spending spend span sorry soon something some single since signaling sign stealing stopped their stopping thanks terrible temporary temporarily taste talk taking take system switching support summer success subscribers sub stupid stranger sight sick shouldn should rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart respect rules run save servicio short she sharing shady several settled set services saving series sense seems see secure second scaling thats there last where whats were went well weeks week way waste was warrant wants wanted want waiting wait vs virtue when while these why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value vaccine using users town tooo too told today tired times time tightening tight throughout through this think things thing they tracking tried try unneeded used use us upward upping upcoming until unnecessary trying unfortunately unfair unemployed understand under unable twice reside repurposing rent next newest never needed must move months monthly month money monetary moment mom mistake mind might merge memberships news no renewing non opening opened oneday once on ok often offset offer off of now notified nothing not nonsense nonesence membership members member medical ll living live little limiting limited limit letting let lesser less legacy left leave learning layoff later locations lol long making means maybe may married market many manservices makes longer made luck loyalty lower losing loose looking opportunity option options possible raise quickly quality putting put pushed provider profits profit profiles problem pricing prices president prescription prefer preemptively raised
 25%|██▌       | 12/48 [26:32<1:34:32, 157.56s/it]
Topic 12 | Coherence=-237685.08 | Top words= you not the price worth for your it me and good re to no bye going charge are when college sign uses ut thank daughter she anyways extra is up in enough this only greedy if that of again keep with value cost increases increase fact prices increasing getting new longer begin forever give issue reactivate wouldn services come never money be want being consider email makes out used rectifying constant lack selection raising service hikes hand while what others ridiculous keeps isnt means down make understand every high subscriptions delivering continually nice little profits point quality hiking jacking days higher offer frequent lesser justify went us at better discontinue life were through pleased system isn paying offered policies iny scaling set changes gotten several cell creep temporarily had vs letting allow fee keeping provider opportunity pop face membership about now save weeks choice ya well thanks gouging need same but expected euro forcing forth even everything free first fair expenses fees financially financial finally fiance fix few feet fixed feel expensive flat fault far fan family focused food extortion youre guys from idea her hike history holder horrible hosehold house household households how huge hungry husband ill fuel im improvements income increased increasses increments inflation instead interested into intolerable issues its help health he having future games garbage gas get gf girl given go goes gone gonna got grandkids great greed entertainment hacked hackednot hacking half happy hard hardly has have havent especially differences entertaining end biden biased biannually bf between benefits benefit before been becoming because became barely bank back awhile away biggest bill billing buggin cannot cancelling canceling cancel can by business budget billings broke break boyfriend both blindly bit bills automatically aunt as adding after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd againlater alarming aren an apps aparently anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed cant card care deteriorated divorce disgusts disgusting disappointed direction different didnt declined doesnt decisions death deal day date damn dad do don cut earlier emails elsewhere else eliminating el edge easily each done duplicate due drive drastically drain double dont cutting customers cared cheaper combining combine climbing climb city choose checking charging company charges charged changing changed change caused caring coming compared customer costs currently current currency credit covid courtesy country continuous competitive continues continue continously constantly consolidating connected compromised itself loyal job something spouse spending spend span sorry soon son someone squeeze some so situation single since significant signaling spouses start sick stranger summer success subscription subscribers subscriber sub stupid stopping started stopped stop stepdad stealing stay states starting sight shoves switching retired rising risen rise ripped right return retiring resume rule resubscribe restriction restrict restart respect residence reside rotating rules shouldn series should short sharing share shady settled servicio sense run seen seems see secure second scales saving support take join waiting we way waste was warrant wants wanted wait whats virtue vaccine using users use upward upping week where until workable youll yet years yearly year yall would work who wont won without willing will wife why upcoming unneeded taking these tightening tight throughout think things thing they there times their thats than terrible temporary taste talk time tipped unnecessary trying unfortunately unfair unemployed under unable two twice try tired tried tracking town tooo too told today repurposing replace rent mistake more months monthly month monetary moment mom mind moved might merge memberships members member medical maybe move moving married nonesence ok often offset off notified nothing nonsense non much next news newest needed my must multiple may market renewing layoff like let less legacy left leave learning later limited last laid kids kidding kept just joint limit limiting many losing manservices making made luck loyalty lower lost loose live looking long lol locations location ll living on once one prescription put pushed profit profiles problem pricing president prefer quickly preemptively power possible por popular politically
Average topic coherence for the top words is -238304.3402193398
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.68it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.59it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.57it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.58it/s]
 10%|█         | 5/50 [00:00<00:08,  5.55it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.55it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.58it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.57it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.57it/s]
 20%|██        | 10/50 [00:01<00:07,  5.55it/s]
 22%|██▏       | 11/50 [00:01<00:07,  5.55it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.54it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.57it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.57it/s]
 30%|███       | 15/50 [00:02<00:06,  5.54it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.53it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.50it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.53it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.53it/s]
 40%|████      | 20/50 [00:03<00:05,  5.53it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.54it/s]
 44%|████▍     | 22/50 [00:03<00:05,  5.51it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.50it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.50it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.50it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.51it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.49it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.50it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.50it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.53it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.53it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.54it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.53it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.50it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.55it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.53it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.48it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.51it/s]
 78%|███████▊  | 39/50 [00:07<00:01,  5.53it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.54it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.53it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.53it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.57it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.54it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.51it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.52it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.53it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.55it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.54it/s]
100%|██████████| 50/50 [00:09<00:00,  5.53it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.94it/s]
  4%|▍         | 2/50 [00:00<00:06,  6.86it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.83it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.82it/s]
 10%|█         | 5/50 [00:00<00:06,  6.81it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.83it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.82it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.80it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.82it/s]
 20%|██        | 10/50 [00:01<00:05,  6.81it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.82it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.79it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.79it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.77it/s]
 30%|███       | 15/50 [00:02<00:05,  6.78it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.80it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.80it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.83it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.84it/s]
 40%|████      | 20/50 [00:02<00:04,  6.81it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.81it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.82it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.82it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.81it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.82it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.82it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.83it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.79it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.79it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.81it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.79it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.84it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.83it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  6.82it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.83it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.82it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.80it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.79it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.81it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.83it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.82it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.81it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.81it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.82it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.80it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.83it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.83it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.78it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.76it/s]
100%|██████████| 50/50 [00:07<00:00,  6.81it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.70it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.66it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.66it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.64it/s]
 10%|█         | 5/50 [00:01<00:12,  3.64it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.63it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.60it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.59it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.61it/s]
 20%|██        | 10/50 [00:02<00:11,  3.60it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.61it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.61it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.61it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.61it/s]
 30%|███       | 15/50 [00:04<00:09,  3.62it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.64it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.65it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.65it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.64it/s]
 40%|████      | 20/50 [00:05<00:08,  3.64it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.63it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.65it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.65it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.65it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.64it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.64it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.64it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.62it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.64it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.66it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.65it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.64it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.65it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.65it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.66it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.68it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.67it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.68it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.67it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.68it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.67it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.67it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.66it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.69it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.67it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.65it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.65it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.66it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.65it/s]
100%|██████████| 50/50 [00:13<00:00,  3.64it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.84it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.82it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.81it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.81it/s]
 10%|█         | 5/50 [00:01<00:15,  2.82it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.81it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.82it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.82it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.82it/s]
 20%|██        | 10/50 [00:03<00:14,  2.82it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.82it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.81it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.82it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.83it/s]
 30%|███       | 15/50 [00:05<00:12,  2.79it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.80it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.79it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.80it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.80it/s]
 40%|████      | 20/50 [00:07<00:10,  2.83it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.83it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.86it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.86it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.86it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.87it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.86it/s]
 54%|█████▍    | 27/50 [00:09<00:07,  2.88it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.88it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.88it/s]
 60%|██████    | 30/50 [00:10<00:06,  2.87it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.88it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.87it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  2.87it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  2.88it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.89it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.88it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.87it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.86it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.85it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.85it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.85it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.85it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.86it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.85it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.85it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.86it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.86it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.86it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.86it/s]
100%|██████████| 50/50 [00:17<00:00,  2.85it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.88it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.87it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.88it/s]
  8%|▊         | 4/50 [00:02<00:24,  1.87it/s]
 10%|█         | 5/50 [00:02<00:23,  1.88it/s]
 12%|█▏        | 6/50 [00:03<00:23,  1.88it/s]
 14%|█▍        | 7/50 [00:03<00:22,  1.88it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.89it/s]
 18%|█▊        | 9/50 [00:04<00:21,  1.88it/s]
 20%|██        | 10/50 [00:05<00:21,  1.87it/s]
 22%|██▏       | 11/50 [00:05<00:20,  1.89it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.89it/s]
 26%|██▌       | 13/50 [00:06<00:19,  1.88it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.89it/s]
 30%|███       | 15/50 [00:07<00:18,  1.89it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.88it/s]
 34%|███▍      | 17/50 [00:09<00:17,  1.88it/s]
 36%|███▌      | 18/50 [00:09<00:16,  1.89it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.88it/s]
 40%|████      | 20/50 [00:10<00:15,  1.89it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.90it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.89it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.88it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.88it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.88it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.89it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.89it/s]
 56%|█████▌    | 28/50 [00:14<00:11,  1.89it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.89it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.88it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.89it/s]
 64%|██████▍   | 32/50 [00:16<00:09,  1.89it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.88it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.89it/s]
 70%|███████   | 35/50 [00:18<00:07,  1.89it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.89it/s]
 74%|███████▍  | 37/50 [00:19<00:06,  1.89it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.90it/s]
 78%|███████▊  | 39/50 [00:20<00:05,  1.90it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.90it/s]
 82%|████████▏ | 41/50 [00:21<00:04,  1.89it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.88it/s]
 86%|████████▌ | 43/50 [00:22<00:03,  1.88it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.88it/s]
 90%|█████████ | 45/50 [00:23<00:02,  1.87it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.87it/s]
 94%|█████████▍| 47/50 [00:24<00:01,  1.88it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.88it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.88it/s]
100%|██████████| 50/50 [00:26<00:00,  1.88it/s]

100%|██████████| 50/50 [00:00<00:00, 1562.51it/s]
Topic 0 | Coherence=-230094.93 | Top words= you to that price for pay fact your the will cancel want are raised sharing dont good not months almost offer tried guys it shady again like used consider once this only email also back if come forever rectifying me reactivate give issue makes bye new never time subscriptions from people expensive business just keep stop doesnt decisions well sense something hikes resubscribe increasing making year they make rate because profiles expected others so issues future and value canceling at compared each offset switching increasses some really when while little point delivering continually charging series having wait popular stupid hard few with high return under financially restart caused financial lower yearly prefer pls remarried restrict ill entertaining euro fuel free frequent especially enough games entertainment end forth everything forcing feet extra extortion fair family fan far fault fee feel fees fiance food finally expenses first face fix fixed every flat even focused garbage youre gas im increments increases increased increase income in improvements idea get husband hungry huge how households household house inflation instead interested into kept keeps keeping justify joint join job jacking itself its isnt isn is iny intolerable hosehold horrible holder hacked greed great grandkids gouging gotten got gonna gone going goes go given girl gf getting greedy emails history hacking hiking hike higher her help health he havent have has hardly happy hand half had hackednot direction elsewhere biden biannually bf between better benefits benefit being begin before been becoming became be barely bank awhile away biased biggest else bill cant cannot cancelling can by but buggin budget broke break boyfriend both blindly bit bills billings billing automatically aunt as aren after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater agree alarming annually apps aparently anyways anymore any anticonsumer another an all amounts amount amercian am already allowed allow card care cared currently kids different differences didnt deteriorated declined death deal days day daughter date damn dad cutting cut customers disappointed discontinue disgusting drive eliminating el edge easily earlier duplicate due drastically disgusts drain down double done don do divorce customer current caring currency combine college climbing climb city choose choice checking cheaper charges charged charge changing changes changed change cell combining coming company continuous creep credit covid courtesy country costs cost continues competitive continue continously constantly constant consolidating connected compromised kidding loyal lack states started start squeeze spouses spouse spending spend span sorry soon son someone situation single since significant signaling starting stay laid stealing temporarily taste talk taking take system support summer success subscription subscribers subscriber sub stranger stopping stopped stepdad sign sight sick shoves save same run rules rule rotating rising risen rise ripped right ridiculous retiring retired resume restriction respect saving scales scaling set shouldn should short she share several settled servicio second services service selection seen seems see secure temporary terrible than users were went weeks week we way waste was warrant wants wanted waiting vs virtue vaccine ut using what whats where worth youll yet years yall ya wouldn would workable who work wont won without willing wife why uses use thank us told today tired tipped times tightening tight throughout through think things thing these there their thats thanks too tooo town unfortunately upward upping upcoming up until unneeded unnecessary unfair tracking unemployed understand unable two twice trying try residence reside repurposing members multiple much moving moved move more monthly month money monetary moment mom mistake mind might merge memberships must my need nothing ok often offered off of now notified nonsense needed nonesence non no nice next news newest membership member one medical living live limiting limited limit life letting let lesser less legacy left leave learning layoff later last ll location locations made means maybe may married market many manservices luck lol loyalty lost losing loose looking longer long on oneday replace policy putting put pushed provider profits profit problem pricing prices president prescription preemptively power possible por pop politically quality
Topic 1 | Coherence=-230697.39 | Top words= subscription my with has price in the and an other already one subscriptions between passed away made need this choose have putting two activities dont moving he changing bf husband into anymore or that nonsense of kids same benefits issues you so your been are increase expensive account me selection tipped continually direction goes scales had to finally entertainment costs long financial having stepdad users rise house on tired owner fuel different she daughter don playing games subscribers wife currently residence mom climb benefit too up at unemployed emails double gone personal using company multiple added annually future payment parent our joint stop spouse owning changed situation remarried aunt budget their households merge paying reside person set spouses family shady raising bill broke significant idea covid flat garbage far fixed expenses gas fix first expected get extortion for focused fees forever forth fee fan fair feel free forcing frequent fiance feet few fact face from extra financially food fault youre getting intolerable instead inflation increments increasses increasing increases increased income improvements im ill if hungry huge how interested iny hosehold is kept keeps keeping keep justify just join job jacking itself its it issue isnt isn household horrible gf hackednot guys greedy greed great grandkids gouging gotten got good gonna going go given give girl hacked hacking holder every history hiking hikes hike higher high her help health havent hardly hard happy hand half everything discontinue even biannually bit bills billings billing biggest biden biased better both being begin before becoming because became be blindly boyfriend bank cancelling caused caring cared care card cant cannot canceling break cancel can bye by but business buggin barely back euro additional againlater again after afford adicional addtional addresses addition alarming adding acct accounts access acceptance absurd about agree all awhile anticonsumer automatically as aren apps aparently anyways any another allow amounts amount amercian am also almost allowed cell change changes didnt doesnt do divorce disgusts disgusting disappointed differences deteriorated down delivering declined decisions death deal days day done drain charge eliminating especially entertaining enough end email elsewhere else el drastically edge easily earlier each duplicate due drive date damn dad college compromised competitive compared coming come combining combine climbing cutting city choice checking cheaper charging charges charged connected consider consolidating constant cut customers customer current currency creep credit courtesy country cost continuous continues continue continously constantly kidding loyal lack stopped stay states starting started start squeeze spending spend span sorry soon son something someone some single since stealing stopping respect stranger thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriber sub stupid signaling sign sight sick save run rules rule rotating rising risen ripped right ridiculous return retiring retired resume resubscribe restriction restrict saving scaling second settled shoves shouldn should short sharing share several servicio secure services service series sense seen seems see thanks thats there wait where when whats what were went well weeks week we way waste was warrant wants wanted want while who why wouldn youll yet years yearly year yall ya would will worth workable work wont won without willing waiting vs these virtue try tried tracking town tooo told today times time tightening tight throughout through think things thing they trying twice unable upward value vaccine ut uses used use us upping under upcoming until unneeded unnecessary unfortunately unfair understand restart repurposing laid must moved move more months monthly month money monetary moment mistake mind might memberships membership members member medical much needed replace never often offset offered offer off now notified nothing not nonesence non no nice next news newest new means maybe may married little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last live living ll loyalty market many manservices making makes make luck lower location lost losing loose looking longer lol locations ok once oneday possible raised raise quickly quality put pushed provider profits profit profiles problem pricing prices president prescription prefer preemptively raises
Topic 2 | Coherence=-252294.42 | Top words= and to the anymore for don prices just it not too price raised added many have new fees money afford need you services cant worth charges more on way now when expenses increase got but better enough rules raising high keep year expensive want of nothing climb benefit gotten really fault long every continues thanks customers times married seems cut get has memberships less two renewing off using ok will adding husband laid inflation increased what good greedy can is caused while creep right president month no biden think charge reducing rent done am per be almost constant pay raise my paying dont by continously restriction others monthly use your recently why lesser offer constantly that willing another never aren upping several weeks summer discontinue spend save retiring activities focused must death tired again prescription health eliminating fixed unneeded keeps food bills holder feet account guys declined share gas offered im up cheaper isnt reflect extortion free frequent from expected fan forth fee financial financially finally fiance first few fix feel flat extra far future forcing forever family fair fact face fuel hacking games garbage horrible hosehold house household households how huge hungry idea if ill improvements in income increases increasing increasses increments instead interested into intolerable iny isn issue issues its itself jacking history hiking hikes greed getting gf girl give given go goes going gone gonna gouging grandkids great hacked hike hackednot had half hand happy hard hardly havent having he help her higher everything youre even benefits billing bill biggest biased biannually bf between being bit begin before been becoming because became barely billings blindly euro canceling cell caring cared care card cannot cancelling cancel both bye business buggin budget broke break boyfriend bank back awhile addresses all alarming agree againlater after adicional addtional additional away addition acct accounts access acceptance absurd about allow allowed already also automatically aunt at as are apps aparently anyways any anticonsumer annually an amounts amount amercian change changed changes disappointed double doesnt do divorce disgusts disgusting join direction day different differences didnt deteriorated delivering decisions deal down drain drastically drive especially entertainment entertaining end emails email elsewhere else el edge easily earlier each duplicate due days daughter changing combine compromised competitive compared company coming come combining college date climbing city choose choice checking charging charged connected consider consolidating continually damn dad cutting customer currently current currency credit covid courtesy country costs cost continuous continue job loyal joint sorry started start squeeze spouses spouse spending span soon states son something someone some so situation single starting stay significant subscribers take system switching support success subscriptions subscription subscriber stealing sub stupid stranger stopping stopped stop stepdad since signaling talk rising scaling scales saving same run rule rotating risen secure rise ripped ridiculous return retired resume resubscribe second see sign sharing sight sick shoves shouldn should short she shady seen settled set servicio service series sense selection taking taste restart wanted well week we waste was warrant wants waiting were wait vs virtue value vaccine ut uses went whats used would youll yet years yearly yall ya wouldn workable where work wont won without with wife who users us temporarily they tightening tight throughout through this things thing these tipped there their thats thank than terrible temporary time today upward under upcoming until unnecessary unfortunately unfair unemployed understand unable told twice trying try tried tracking town tooo restrict respect justify merge months monetary moment mom mistake mind might membership moved members member medical means me maybe may move moving manservices nonsense only oneday one once often offset notified nonesence much non nice next news newest needed multiple market making opened learning like life letting let legacy left leave layoff limited later last lack kids kidding kept keeping limit limiting makes loose make made luck loyalty lower lost losing looking little longer lol locations location ll living live ontario opening residence problem putting put pushed provider profits profit profiles pricing quickly prefer preemptively power possible por popular pop
Topic 3 | Coherence=-238211.19 | Top words= and the is for me money this have in of my are keep subscriptions not from subscription back price budget rates been sharing to don on do few tight than losing thing increase who come months try same higher now others good we no with ill down new because once job fee consolidating married greed being its your was happy got due customer havent stealing month spending yall years company competitive shouldn drive manservices market pick after getting workable pricing system service fiance respect members moving run legacy used out loose sick off hacked lol terrible drain stranger barely before by upcoming ripped disgusts raised addtional policies pleased less use be covid cutting may different broke year right spouses selection today set increased owner going food anyways gotten gouging financially away grandkids great any anticonsumer financial another annually greedy guys an amounts hackednot hacking amount had half hand amercian am hard hardly has also already almost anymore first automatically aparently forcing forever forth free frequent focused flat aunt fuel fixed future games garbage gas at get as aren fix gf girl give given go goes allowed gone gonna apps having cant he increasing into interested instead inflation increments increasses increases health account accounts income acct activities added intolerable iny isn isnt issue access acceptance issues it absurd itself jacking about join joint just justify improvements adding im hosehold awhile help allow her all alarming high agree hike hikes hiking history holder horrible againlater addition house household households again how afford adicional addresses huge additional hungry husband idea if finally feel bank continues courtesy country costs break cost continuous continue but continually continously constantly constant buggin business boyfriend credit creep currency current currently both customers blindly bit cut bills dad damn date daughter billings consider connected feet changed charges charged charge changing changes cancelling change compromised cell caused cannot caring cared care charging cheaper canceling checking choice choose city climb climbing college combine combining cancel coming can compared bye day days deal especially everything every benefit even benefits euro entertainment death entertaining enough end emails email elsewhere expected expenses expensive extortion extra face fact fair family fan begin far fault becoming became card fees else eliminating better biggest decisions declined delivering deteriorated didnt billing differences keeping direction disappointed discontinue disgusting bill divorce doesnt el biden done dont double biased biannually drastically bf duplicate each earlier between easily edge youre loyal keeps signaling starting started start squeeze spouse spend span sorry soon son something someone some so situation single since states stay stepdad support temporary temporarily taste talk taking take switching summer stop success subscribers subscriber sub stupid stopping stopped significant sign repurposing sight save rules rule rotating rising risen rise ridiculous return retiring retired resume resubscribe restriction restrict restart residence saving scales scaling settled shoves should short she share shady several servicio second services series sense seen seems see secure thank thanks that thats what were went well weeks week way waste warrant wants wanted want waiting wait vs virtue value whats when where worth youll you yet yearly ya wouldn would work while wont won without willing will wife why vaccine ut using tightening tooo too told tired tipped times time throughout tracking through think things they these there their town tried uses unnecessary users us upward upping up until unneeded unfortunately trying unfair unemployed understand under unable two twice reside replace kept member needed need must multiple much moved move more monthly monetary moment mom mistake mind might merge memberships never newest news offset opened ontario only oneday one ok often offered next offer notified nothing nonsense nonesence non nice membership medical rent means limited limit like life letting let lesser left leave learning layoff later last laid lack kids kidding limiting little live loyalty maybe many making makes make made luck lower living lost looking longer long locations location ll opening opportunity option options raise quickly quality putting put pushed provider profits profit profiles problem prices president prescription prefer preemptively power
Topic 4 | Coherence=-240306.11 | Top words= and the price will subscription to my you is different we where be too your in access am change why use many increases increments luck checking greed canceling good have pay now upcoming fee ridiculous that locations anticonsumer want me on live of two cancel people moved since moving how acceptance reality country mom location lack tracking they membership places their won but restrict new currency sharing both able addresses changed us current once start another using get don thank again boyfriend anymore there rejoin quality settled every ontario wants spend lol going reflect buggin becoming opening flat broke out warrant needed learning resubscribe while back subscriptions pricing system only own same done job its jacking future food fuel games frequent for gas itself forever forth from focused garbage free forcing fiance fixed fix euro even keep everything expected expenses expensive extortion extra face fact justify fair family fan far fault just feel fees feet few gf finally financial joint join financially first getting if girl hiking entertainment having inflation he health help increasses her high increasing higher hike hikes increased history instead holder horrible hosehold increase house household households income improvements im ill huge hungry husband havent interested give isnt given go goes it gone gonna idea issues issue got gotten gouging grandkids great isn has greedy iny guys hacked hackednot hacking had half hand intolerable happy hard into hardly especially direction entertaining billings bill biggest biden biased biannually bf between better benefits benefit being begin before been because became barely billing bills enough bit changes cell caused caring cared care card cant cannot cancelling can bye by business budget break blindly bank awhile away automatically alarming agree againlater after afford adicional addtional additional addition adding added activities acct accounts account absurd about all allow allowed anyways aunt at as aren are apps aparently any almost annually an amounts amount amercian also already changing charge charged date do divorce disgusts disgusting discontinue disappointed keeps differences didnt deteriorated delivering declined decisions death deal days day doesnt dont double edge end emails email elsewhere else eliminating el easily down earlier each duplicate due drive drastically drain daughter damn charges dad connected compromised competitive compared company coming come combining combine college climbing climb city choose choice cheaper charging consider consolidating constant covid cutting cut customers customer currently creep credit courtesy constantly costs cost continuous continues continue continually continously keeping youre kept shoves spouses spouse spending span sorry soon son something someone some so situation single significant signaling sign sight squeeze started starting sub take switching support summer success subscribers subscriber stupid states stranger stopping stopped stop stepdad stealing stay sick shouldn talk should save run rules rule rotating rising risen rise ripped right return retiring retired resume restriction restart respect saving scales scaling services short she share shady several set servicio service second series sense selection seen seems see secure taking taste kidding users what were went well weeks week way waste was wanted waiting wait vs virtue value vaccine ut whats when who wouldn youll yet years yearly year yall ya would wife worth workable work wont without with willing uses used temporarily upward tipped times time tightening tight throughout through this think things thing these thats thanks than terrible temporary tired today told unemployed upping up until unneeded unnecessary unfortunately unfair understand tooo under unable twice trying try tried town residence reside repurposing member need must multiple much move more months monthly month money monetary moment mistake mind might merge memberships never newest news off oneday one ok often offset offered offer notified next nothing not nonsense nonesence non no nice members medical replace means limiting limited limit like life letting let lesser less legacy left leave layoff later last laid kids little living ll make maybe may married market manservices making makes made long loyalty lower lost losing loose looking longer opened opportunity option options raise quickly putting put pushed provider profits profit profiles problem prices president prescription prefer preemptively power possible
Topic 5 | Coherence=-237296.08 | Top words= extra you and my of with share subscription family about increase that using money don bill paying like the outside want news power states limit idea when charging for me out sharing cant charge because without grandkids stay people even if an no will prices support not im parents yet more how try charges squeeze longer fair won continue go kids hosehold spending cutting agree unable declined up unnecessary has expenses subscriptions few are currently raising repurposing added yall focused us next sense garbage girl gas get getting gf give given goes going gone gonna games youre future expected fault far fan fact face extortion expensive everything feel every euro especially entertainment entertaining enough end fee fees fuel got from frequent free forth forever forcing food flat feet fixed fix first financially financial finally fiance good have gotten intolerable it issues issue isnt isn is iny into itself interested instead inflation increments increasses increasing increases its jacking gouging kidding leave learning layoff later last laid lack kept job keeps keeping keep justify just joint join increased income in half having havent email hardly hard happy hand had improvements hacking hackednot hacked guys greedy greed great he health help her ill husband hungry huge households household house horrible holder history hiking hikes hike higher high emails disgusts elsewhere being biden biased biannually bf between better benefits benefit begin away before been becoming became be barely bank back biggest billing billings bills cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit awhile automatically else additional alarming againlater again after afford adicional addtional addresses addition aunt adding activities acct accounts account access acceptance absurd all allow allowed almost at as aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already card care cared death disappointed direction different differences didnt deteriorated delivering decisions deal caring days day daughter date damn dad cut customers discontinue disgusting legacy divorce eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done doesnt do customer current currency coming combining combine college climbing climb city choose choice checking cheaper charged changing changes changed change cell caused come company creep compared credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive left loyal less son started start spouses spouse spend span sorry soon something restrict someone some so situation single since significant signaling starting stealing stepdad stop temporary temporarily taste talk taking take system switching summer success subscribers subscriber sub stupid stranger stopping stopped sign sight sick scales save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe saving scaling shoves second shouldn should short she shady several settled set servicio services service series selection seen seems see secure terrible than thank were well weeks week we way waste was warrant wants wanted waiting wait vs virtue value vaccine ut went what users whats youll years yearly year ya wouldn would worth workable work wont willing wife why who while where uses used thanks today tired tipped times time tightening tight throughout through this think things thing they these there their thats to told use too upward upping upcoming until unneeded unfortunately unfair unemployed understand under two twice trying tried tracking town tooo restriction restart lesser multiple non nice newest new never needed need must much respect moving moved move months monthly month monetary moment nonesence nonsense nothing notified option opportunity opening opened ontario only oneday one once on ok often offset offered offer off now mom mistake mind your lost losing loose looking long lol locations location ll living live little limiting limited life letting let lower loyalty might luck merge memberships membership members member medical means maybe may married market many manservices making makes make made options or original re rates rate raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price rather reactivate prescription
Topic 6 | Coherence=-242173.33 | Top words= too prices price it keep is for expensive you are raising much now increasing your many or the and me company increases not after year options worth far entertaining biannually has service seems going ill stop consider other terrible addition like pricing greedy charges can no have customer anymore upward unfortunately share sharing right afford letting new hike getting charging longer newest us into money as up any life vs stupid since already oneday went youll sorry earlier given upping every lost damn addtional constantly differences improvements rule success later put elsewhere because way made maybe some use amount without everything its upcoming job business amounts itself else huge extra caring different by please cannot twice often offered ridiculous whats overpriced over politically hackednot secure ll paying easily loyal thank subscriptions these biased ok profits time allow cant gouging happy annually awhile another gonna away good got gotten automatically hardly grandkids hard great greed anticonsumer at aren guys hacked apps aparently anyways hacking had half hand aunt changing havent back benefit focused food being forcing forever forth free frequent from fuel begin before future games garbage gas been get becoming became be gf girl give barely go bank goes gone having fixed acct again increased adicional addresses increasses additional increments inflation instead interested adding intolerable added activities iny he accounts isn isnt issue issues account access acceptance absurd jacking about join joint just increase income in againlater health an help her high higher amercian hikes hiking history holder horrible hosehold house household am also households how almost allowed hungry husband idea if all im alarming agree flat financial fix continues cost costs country courtesy canceling covid cancel credit creep currency current currently bye customers cut but cutting dad buggin date daughter budget broke day days deal death decisions declined continuous continue deteriorated continually charged changes changed cheaper checking choice change choose city climb climbing cell college combine combining caused come coming cared compared competitive compromised connected care consolidating constant card cancelling continously delivering didnt first billings especially billing bill biggest euro even biden expected expenses bf extortion between face fact fair family fan better fault benefits fee feel fees feet few fiance finally charge financially entertainment enough break end direction disappointed discontinue disgusting disgusts divorce do doesnt don done dont double down drain drastically drive due duplicate each boyfriend both edge blindly el eliminating bit bills email emails justify youre keeping sick start squeeze spouses spouse spending spend span soon son something someone so situation single significant signaling sign started starting states subscription talk taking take system switching support summer subscribers stay subscriber sub stranger stopping stopped stepdad stealing sight shoves keeps shouldn run rules rotating rising risen rise ripped return retiring retired resume resubscribe restriction restrict restart respect residence same save saving servicio should short she shady several settled set services scales series sense selection seen see second scaling taste temporarily temporary than what were well weeks week we waste was warrant wants wanted want waiting wait virtue value vaccine when where while workable yet years yearly yall ya wouldn would work who wont won with willing will wife why ut using uses think tipped times tightening tight throughout through this things to thing they there their thats that thanks tired today users under used until unneeded unnecessary unfair unemployed understand unable told two trying try tried tracking town tooo reside repurposing replace only moving moved move more months monthly month monetary moment mom mistake mind might merge memberships membership members multiple must my nothing once on offset offer off of notified nonsense need nonesence non nice next news never needed member medical means leave limited limit let lesser less legacy left learning little layoff last laid lack kids kidding kept limiting live may loyalty married market manservices making makes make luck lower living losing loose looking long lol locations location one ontario rent opened raised raise quickly quality putting pushed provider profit profiles problem president prescription prefer preemptively power possible por
Topic 7 | Coherence=-242048.30 | Top words= for you and the now subscription charge raising services other im better reason kept gonna youre prices people are cheaper if only was so my that using your keep charging out to extra will going it more back on as be much cost another no up kids too re wife in divorce cut city unfair intolerable got getting enough through own trying ill live married courtesy left loose later am new possible greed has platform longer return spending hacked budget payday down keeps way opened this againlater her tightening temporarily awhile quality duplicate accounts combining hard justify next mistake value continue kidding went risen by quickly fix fuel take warrant rejoin cancelling join income entertainment phone tooo instead scaling may use youll feet thanks right having share benefits outside resume great good given guys go grandkids greedy goes allowed also already allow gotten almost gone gouging bf give first food annually focused flat anticonsumer fixed financially girl financial finally fiance few fees feel an forcing forever forth free frequent from amounts future hackednot amount games garbage gas get amercian gf all after alarming increasing into interested inflation increments increasses activities added iny increases increased increase adding addition improvements acct is hacking access about absurd just acceptance joint job jacking isn itself its account issues issue isnt additional addresses addtional fault help health he afford havent have again idea hardly happy hand agree half had high higher hike hikes hiking history holder horrible hosehold house household households how huge adicional hungry husband fee expected far changing come became combine college climbing climb because choose choice checking becoming been before charges charged coming company compared continually country bank costs barely continuous continues continously competitive constantly constant consolidating consider connected compromised begin changes fan changed break boyfriend both benefit blindly bit bills billings billing bill biggest biden between biased biannually broke being buggin card change cell caused caring cared care cant business cannot canceling cancel can bye but covid credit creep currency emails email elsewhere else eliminating el apps edge easily earlier each due aren drive drastically end aparently entertaining anymore family fair fact face any extortion expensive especially expenses everything every even anyways euro drain at double damn death deal days day daughter date dad automatically cutting away customers customer currently current decisions declined dont disgusting done don doesnt do aunt disgusts keeping delivering disappointed direction different differences didnt deteriorated discontinue loyal lack sign started start squeeze spouses spouse spend span sorry soon son something someone some situation single since significant starting states stay subscribers taking system switching support summer success subscriptions subscriber stealing sub stupid stranger stopping stopped stop stepdad signaling sight laid sick scales saving save same run rules rule rotating rising rise ripped ridiculous retiring retired resubscribe restriction restrict second secure see several shoves shouldn should short she sharing shady settled seems set servicio service series sense selection seen talk taste temporary terrible when whats what were well weeks week we waste wants wanted want waiting wait vs virtue vaccine where while who would yet years yearly year yall ya wouldn worth why workable work wont won without with willing ut uses users things tired tipped times time tight throughout think thing told they these there their thats thank than today town used unfortunately us upward upping upcoming until unneeded unnecessary unemployed tracking understand under unable two twice try tried restart respect residence oneday must multiple moving moved move months monthly month money monetary moment mom mind might merge memberships membership need needed never of once ok often offset offered offer off notified newest nothing not nonsense nonesence non nice news members member medical letting living little limiting limited limit like life let location lesser less legacy leave learning layoff last ll locations means make me maybe market many manservices making makes made lol luck loyalty lower lost losing looking long one ontario reside opening raised raise putting put pushed provider profits profit profiles problem pricing price president prescription prefer preemptively power
Topic 8 | Coherence=-244758.47 | Top words= price the it to in and you time increases of months use as this for not money other are my out need just using at many can greedy dont hikes much moved with keeps only one save too up go getting ridiculous last by but raising hand continues do afford selection see trying constant waste has household pay subscriptions been lack agree me rising your like so increasing hardly over have changes significant we limiting amount edge pushed far never would policy services reduce work rather nonsense spend bills short two learning boyfriend town was possible got tired second increased house apps cost girl ya don moment everything needed twice throughout interested history raises single climbing temporary being financially platforms youll prefer before making once sick free euro fair into joint frequent forcing forever especially forth from fuel entertainment food even feet focused fault expected expenses expensive extortion extra face intolerable fact family fan future fee flat iny feel fees few fiance finally financial first every fix fixed ill gone games join jacking havent having he health help her high higher hike itself isnt hiking holder its horrible increase hosehold income households how huge hungry husband idea issue improvements im issues isn increasses hard good garbage gas get instead gf give given inflation increments goes going if gonna gotten happy job gouging grandkids great greed is guys hacked hackednot hacking had half enough entertaining youre end billing biggest biden biased biannually bf between better benefits benefit begin becoming because became be barely bank back bill billings cell bit caring cared care card cant cannot cancelling canceling cancel bye business buggin budget broke break both blindly awhile away automatically aunt again after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming all annually aren aparently anyways anymore any anticonsumer another an allow amounts amercian am also already almost allowed caused change emails disgusting disappointed justify different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad discontinue disgusts changed divorce email elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down double done doesnt cutting cut customers customer company coming come combining combine college climb city choose choice checking cheaper charging charges charged charge changing compared competitive compromised country currently current currency creep credit covid courtesy costs connected continuous continue continually continously constantly consolidating consider direction loyal keep taste starting started start squeeze spouses spouse spending span sorry soon son something someone some situation since signaling states stay stealing subscription taking take system switching support summer success subscribers stepdad subscriber sub stupid stranger stopping stopped stop sign sight shoves return rules rule rotating risen rise ripped right retiring same retired resume resubscribe restriction restrict restart respect run saving shouldn set should she sharing share shady several settled servicio scales service series sense seen seems secure scaling talk temporarily reside terrible what were went well weeks week way warrant wants wanted want waiting wait vs virtue value vaccine whats when where workable yet years yearly year yall wouldn worth wont while won without willing will wife why who ut uses users they times tightening tight through think things thing these today there their thats that thanks thank than tipped told used unfortunately us upward upping upcoming until unneeded unnecessary unfair tooo unemployed understand under unable try tried tracking residence repurposing keeping ontario moving move more monthly month monetary mom mistake mind might merge memberships membership members member medical means multiple must new now on ok often offset offered offer off notified newest nothing nonesence non no nice next news maybe may married legacy limited limit life letting let lesser less left live leave layoff later laid kids kidding kept little living market lost manservices makes make made luck loyalty lower losing ll loose looking longer long lol locations location oneday opened replace opening quickly quality putting put provider profits profit profiles problem pricing prices president prescription preemptively power por popular
Topic 9 | Coherence=-235214.68 | Top words= to be back with price will need and more money of is increases saving can no the break taking deal subscription service continuous change problem end month prices just billing ll when continues payment longer move my we else country take cut rise business good get all bit unable help value at date life customer sharing dad sight laid in ill time frequent cannot elsewhere everything for constantly better rotating multiple sub broke something these come news piracy off disappointed stopped replace repurposing free over might ridiculous cheaper continue monetary billings hikes biggest soon summer but another expenses users from already week phone fee redo layoff fair me cost new feet raised raise start policy hard its garbage itself gas jacking job forth keeping games join future forcing keep joint fuel justify forever financial keeps food expensive extortion lack kids kidding extra kept face fact family fan far fault feel fees few fiance finally gf financially first fix fixed flat focused getting idea girl hiking intolerable into interested health instead her high inflation higher increments increasses increasing hike increased increase having history income improvements holder horrible im hosehold house household households how huge hungry if he havent give gouging it issues given issue isnt go isn goes going gone gonna husband got gotten grandkids have great greed greedy guys hacked hackednot hacking had half hand happy iny hardly has expected youre every cell bf between benefits benefit being begin before been becoming because became barely bank awhile away automatically aunt biannually biased biden cancel caring cared care card cant cancelling canceling bye bill by buggin budget boyfriend both blindly bills as aren are added afford adicional addtional addresses additional addition adding activities again acct accounts account access acceptance absurd about after againlater apps amounts aparently anyways anymore any anticonsumer annually an amount agree amercian am also almost allowed allow alarming caused changed even changes dont done don doesnt last divorce disgusts disgusting discontinue direction different differences didnt deteriorated delivering declined decisions double down drain eliminating euro especially entertainment entertaining enough emails email el drastically edge easily earlier each duplicate due drive death days day city company coming combining combine college climbing climb choose competitive choice checking charging charges charged charge changing compared compromised daughter credit damn cutting customers currently current currency creep covid connected courtesy costs continually continously constant consolidating consider do loyal later stopping stepdad stealing stay states starting started squeeze spouses spouse spending spend span sorry son someone some so stop stranger there stupid thats that thanks thank than terrible temporary temporarily taste talk system switching support success subscriptions subscribers subscriber situation single since significant see secure second scaling scales save same run rules rule rising risen ripped right return retiring retired seems seen selection she signaling sign sick shoves shouldn should short share sense shady several settled set servicio services series their they resubscribe who where whats what were went well weeks way waste was warrant wants wanted want waiting wait vs while why thing wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing virtue vaccine ut using tried tracking town tooo too told today tired tipped times tightening tight throughout through this think things try trying twice up uses used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under resume restriction learning nonesence nice next newest never needed must much moving moved months monthly moment mom mistake mind merge memberships non nonsense options not opportunity opening opened ontario only oneday one once on ok often offset offered offer now notified nothing membership members member medical lol locations location living live little limiting limited limit like letting let lesser less legacy left leave long looking loose making means maybe may married market many manservices makes losing make made luck loyalty your lower lost option or restrict re rates rate raising raises quickly quality putting put pushed provider profits profit profiles pricing president prescription prefer rather reactivate
Topic 10 | Coherence=-238709.02 | Top words= to extra greedy you subscriptions many your hikes charging the share price also way few fan past years over of not money pay my because family youre taste extortion disgusting have its are but different bill with charge about company subscription in for newest me hike and an someone is moved it when who changing hacked will already live resume that cheaper we subscriber done phone son bank poland amercian thats notified keeps won today euro offered has hacking currency go gf addition hungry elsewhere acct was constant year continue idea absurd another card increasing sight taking think great grandkids gas get last getting laid girl alarming agree give given lack hackednot after goes going gone guys games gonna good againlater got gotten again greed gouging garbage layoff later feel financial finally fiance allow feet fees fee leave allowed fault far left almost fair financially first future forever had fuel from frequent free forth forcing fix all food focused learning flat fixed kids hardly half increments adding husband if ill im job added improvements activities income increase increased increases increasses inflation huge instead interested into acceptance intolerable jacking itself iny accounts isn account isnt issue issues join how hand addtional happy hard access kidding afford havent having kept he health adicional help keeping fact high households higher addresses keep additional hiking history holder justify horrible hosehold house household just joint her away face anyways changes changed change cell caused caring cared aparently am care cant cannot cancelling canceling cancel apps anymore any charged charges competitive compared annually coming come combining combine college climbing climb city choose choice checking anticonsumer can bye by biannually bf between better benefits benefit being begin before been becoming automatically became be barely back aunt biased aren biden business buggin as budget broke break boyfriend both blindly bit bills billings billing at biggest compromised connected consider edge earlier each duplicate due drive drastically drain down double dont don doesnt do divorce disgusts easily el discontinue eliminating expensive expenses expected everything every even awhile especially entertainment entertaining enough end emails email else less disappointed consolidating customers currently current creep credit covid courtesy country costs cost amounts continuous continues continually continously constantly customer cut direction cutting amount differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad legacy loyal lesser soon start squeeze spouses spouse spending spend span sorry something terrible some so situation single since significant signaling sign started starting states stay temporarily talk take system switching support summer success subscribers sub stupid stranger stopping stopped stop stepdad stealing sick shoves shouldn scales save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resubscribe restriction saving scaling should second short she sharing shady several settled set servicio services service series sense selection seen seems see secure temporary than restart waiting well weeks week waste warrant wants wanted want wait thank vs virtue value vaccine ut using uses users went were what whats youll yet yearly yall ya wouldn would worth workable work wont without willing wife why while where used use us tooo told tired tipped times time tightening tight throughout through this things thing they these there their thanks too town upward tracking upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried restrict respect let must no nice next news new never needed need multiple original much moving move more months monthly month monetary non nonesence nonsense nothing options option opportunity opening opened ontario only oneday one once on ok often offset offer off now moment mom mistake lower losing loose looking longer long lol locations location ll living little limiting limited limit like life letting lost loyalty mind luck might merge memberships membership members member medical means maybe may married market manservices making makes make made or other residence putting rates rate raising raises raised raise quickly quality put others pushed provider profits profit profiles problem pricing prices rather re reactivate
Topic 11 | Coherence=-244633.59 | Top words= to price increase is not charge for and worth the me your re bye it you daughter my good when anyways college uses ut she sign no extra going thank in greedy last prices profiles starting additional raising profit just year after enough sharing are subscription money high of currently willing used with have recent be talk limited due using support cut cost options great rising hike something back some stopping costs really trying isnt need profits service am access save living gas became date higher kidding allow member absurd justify ridiculous por el family offered looking paying inflation adicional pagos servicio isn bills card since from recession limiting original medical can they raise change kids as week more tracking yet continues biggest raised especially euro forcing flat entertainment focused food jacking everything keeps itself its forever even forth issues issue free frequent fixed financial fix first keeping keep expenses expensive joint join extortion job face fact fair fan fault fee feel fees feet few fiance every finally expected financially far holder fuel future hackednot hacking im ill had half if hand idea hard hardly husband has hungry huge how havent having he health help households her household house hosehold horrible hikes hiking improvements hacked income go games garbage get iny history getting intolerable into interested gf girl give given goes guys instead gone gonna got increments gotten increasses gouging increasing grandkids increases greed increased happy youre entertaining end billings billing bill biden biased biannually bf between better benefits benefit being begin before been becoming because bit blindly both canceling caused caring cared care cant cannot cancelling cancel boyfriend by but business buggin budget broke break barely bank awhile addition alarming agree againlater again afford addtional addresses adding allowed added activities acct accounts account acceptance about all almost away any automatically aunt at aren apps aparently anymore anticonsumer already another annually an amounts amount amercian also cell changed changes differences divorce disgusts disgusting kept disappointed direction different didnt doesnt deteriorated delivering declined decisions death deal days do don damn earlier emails email elsewhere else eliminating edge easily each done duplicate drive drastically drain down double dont day dad changing climb compared company coming come combining combine climbing city compromised choose choice checking cheaper charging charges charged competitive connected cutting courtesy customers customer current currency creep credit covid country consider continuous continue continually continously constantly constant consolidating discontinue loyal lack signaling stay states started start squeeze spouses spouse spending spend span sorry soon son someone so situation single stealing stepdad stop switching terrible temporary temporarily taste taking take system summer stopped success subscriptions subscribers subscriber sub stupid stranger significant sight thanks sick saving same run rules rule rotating risen rise ripped right return retiring retired resume resubscribe restriction restrict scales scaling second settled shoves shouldn should short share shady several set secure services series sense selection seen seems see than that laid users were went well weeks we way waste was warrant wants wanted want waiting wait vs virtue value what whats where workable youll years yearly yall ya wouldn would work while wont won without will wife why who vaccine use thats us told today tired tipped times time tightening tight throughout through this think things thing these there their too tooo town unfortunately upward upping upcoming up until unneeded unnecessary unfair tried unemployed understand under unable two twice try restart respect residence membership needed must multiple much moving moved move months monthly month monetary moment mom mistake mind might merge never new newest off one once on ok often offset offer now news notified nothing nonsense nonesence non nice next memberships members reside means location ll live little limit like life letting let lesser less legacy left leave learning layoff later locations lol long makes maybe may married market many manservices making make longer made luck loyalty lower lost losing loose oneday only ontario opened quality putting put pushed provider problem pricing president prescription prefer preemptively power possible popular pop politically political
Topic 12 | Coherence=-241366.92 | Top words= prices it and keep only like you for customer this is the going increasing to long of at up your time price about subscriber will rates we that service when alarming feel loyalty there increase being what no care paying hike just garbage greedy was re were hiking means even understand begin cared wouldn leave am need enough us with again high rate ll other customers if keeps before since first member do has start span drastically gone deteriorated lost provider times take months quality things through amount started in job selection income my fixed damn opportunity subscription support horrible every be blindly me dont benefits membership let cancel jacking days these didnt won one month why preemptively phone mind getting users should combine households due on next connected canceling non retired yall much already virtue vaccine becoming political signaling stop second nonesence gouging seen afford loyal fee wont cell reflect hardly come discontinue card redo willing fault finally amercian given financially go financial fan fiance fees goes far all allow agree feet againlater few future give get from almost games gonna allowed free forth gas forever fix forcing gf girl also food focused flat fuel frequent hard good increasses huge hungry adding husband idea added ill im improvements activities acct increased increases accounts increments got inflation instead interested into intolerable iny account access isn acceptance isnt absurd issue issues how household house hosehold gotten grandkids after great greed guys hacked hackednot hacking had half hand happy adicional have havent addtional having addresses he health help her higher additional hikes history holder addition family been fair changing are cheaper charging charges charged charge changes choice changed change aren caused caring as checking choose automatically competitive constantly constant consolidating consider apps compromised compared city company coming combining college climbing climb aunt cant continually bank biggest biden awhile biased back biannually bf billing between better barely benefit became because bill billings cannot business cancelling can bye by but away buggin bills budget broke break boyfriend both bit continously continue fact drive an edge easily earlier each duplicate annually eliminating drain down double done another anticonsumer el else any everything face extra extortion expensive expenses expected euro email especially entertainment entertaining amounts end emails don doesnt continues creep cut anyways aparently currently current currency credit dad covid courtesy country costs cost continuous cutting date anymore differences divorce disgusts disgusting disappointed direction different its daughter delivering declined decisions death deal day elsewhere youre itself significant son something someone some so situation single sign sorry sight sick shoves shouldn short she sharing soon spend switching stopped success subscriptions subscribers sub stupid stranger stopping stepdad spending stealing stay states starting squeeze spouses spouse share shady several resubscribe rise ripped right ridiculous return retiring resume restriction settled restrict restart respect residence reside repurposing replace risen rising rotating rule set servicio services series sense seems see secure scaling scales saving save same run rules summer system renewing wait way waste warrant wants wanted want waiting vs weeks value ut using uses used use upward week well taking worth youll yet years yearly year ya would workable went work without wife who while where whats upping upcoming until thats tightening tight throughout think thing they their thanks unneeded thank than terrible temporary temporarily taste talk tipped tired today told unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking town tooo too rent remarried join might more monthly money monetary moment mom mistake merge moved memberships members medical maybe may married market move moving ok not offset offered offer off now notified nothing nonsense multiple nice news newest new never needed must many manservices making last lesser less legacy left learning layoff later laid makes lack kids kidding kept keeping justify joint letting life limit limited make made luck lower losing loose looking longer lol locations location living live little limiting often once rejoin power profit profiles problem pricing president prescription prefer possible pushed por popular pop politically policy policies
 27%|██▋       | 13/48 [29:28<1:35:05, 163.00s/it]
Topic 13 | Coherence=-234959.56 | Top words= to not subscription so is have my pay do it that just was but you charged an card up make more compromised ill choice iny especially shoves nice face keeping pop forcing bill after because told automatically wanted allowed bank option price credit subscriber without life expensive currently me worth lost increase with anymore the your why dont services good want for needed forth put enough be guys too much should what this think need half outside keep cant coming play declined customers extra time than one willing aparently use can summer payment often day squeeze switching date month until go waiting take cost break free warrant forever join joint im food frequent from jacking itself fuel future games garbage gas get its getting job financial focused expenses fair fact kept kidding extortion kids expected fan everything every even euro lack laid family far flat fiance fixed fix first financially girl finally few keeps feet fees feel justify fee fault gf got give given he increments health help her high increasses increasing higher hike hikes increases hiking history increased holder horrible hosehold house household households income how huge hungry husband in idea if entertainment inflation having greed goes issues going gone gonna issue isnt improvements gotten gouging isn grandkids great intolerable instead greedy hacked hackednot hacking had hand happy hard hardly into has interested havent youre different entertaining at biased biannually bf between better benefits benefit being begin before been becoming became barely back awhile away biden biggest billing business care cannot cancelling canceling cancel bye by buggin billings budget broke boyfriend both blindly bit bills aunt as caring aren again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater agree alarming and are apps anyways any anticonsumer another annually amounts all amount amercian am also already almost allow cared caused end cutting divorce disgusts disgusting discontinue disappointed direction later differences didnt deteriorated delivering decisions death deal days daughter damn doesnt don done easily emails email elsewhere else eliminating el edge earlier double each duplicate due drive drastically drain down dad cut cell customer come combining combine college climbing climb city choose checking cheaper charging charges charge changing changes changed change company compared competitive continuous current currency creep covid courtesy country costs continues connected continue continually continously constantly constant consolidating consider last loyal layoff spending span sorry soon son something someone some situation single since significant signaling sign sight sick shouldn short spend spouse sharing spouses support success subscriptions subscribers sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start she share repurposing rules rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence rule run shady same several settled set servicio service series sense selection seen seems see secure second scaling scales saving save system taking talk whats went well weeks week we way waste wants wait vs virtue value vaccine ut using uses users were when taste where youll yet years yearly year yall ya wouldn would workable work wont won will wife who while used us upward upping times tightening tight throughout through things thing they these there their thats thanks thank terrible temporary temporarily tipped tired today under upcoming unneeded unnecessary unfortunately unfair unemployed understand unable tooo two twice trying try tried tracking town reside replace learning next newest new never must multiple moving moved move months monthly money monetary moment mom mistake mind might news no memberships non opened ontario only oneday once on ok offset offered offer off of now notified nothing nonsense nonesence merge membership rent long locations location ll living live little limiting limited limit like letting let lesser less legacy left leave lol longer members looking member medical means maybe may married market many manservices making makes made luck loyalty lower losing loose opening opportunity options raising raised raise quickly quality putting pushed provider profits profit profiles problem pricing prices president prescription prefer preemptively raises rate
Average topic coherence for the top words is -239483.1408482644
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.56it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.57it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.54it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.53it/s]
 10%|█         | 5/50 [00:00<00:08,  5.54it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.58it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.59it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.60it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.58it/s]
 20%|██        | 10/50 [00:01<00:07,  5.60it/s]
 22%|██▏       | 11/50 [00:01<00:06,  5.60it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.63it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.63it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.62it/s]
 30%|███       | 15/50 [00:02<00:06,  5.62it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.63it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.63it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.62it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.61it/s]
 40%|████      | 20/50 [00:03<00:05,  5.61it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.62it/s]
 44%|████▍     | 22/50 [00:03<00:04,  5.62it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.58it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.58it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.57it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.56it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.58it/s]
 56%|█████▌    | 28/50 [00:05<00:03,  5.59it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.59it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.57it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.59it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.56it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.58it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.57it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.62it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.63it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.60it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.59it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  5.60it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.64it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.63it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.63it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.62it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.63it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.63it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.63it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.63it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.65it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.64it/s]
100%|██████████| 50/50 [00:08<00:00,  5.60it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:06,  7.09it/s]
  4%|▍         | 2/50 [00:00<00:06,  6.98it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.93it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.93it/s]
 10%|█         | 5/50 [00:00<00:06,  6.94it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.99it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.97it/s]
 16%|█▌        | 8/50 [00:01<00:06,  7.00it/s]
 18%|█▊        | 9/50 [00:01<00:05,  7.01it/s]
 20%|██        | 10/50 [00:01<00:05,  6.99it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.96it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.94it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.96it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.97it/s]
 30%|███       | 15/50 [00:02<00:05,  6.98it/s]
 32%|███▏      | 16/50 [00:02<00:04,  7.00it/s]
 34%|███▍      | 17/50 [00:02<00:04,  7.01it/s]
 36%|███▌      | 18/50 [00:02<00:04,  7.00it/s]
 38%|███▊      | 19/50 [00:02<00:04,  7.00it/s]
 40%|████      | 20/50 [00:02<00:04,  7.00it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.98it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.99it/s]
 46%|████▌     | 23/50 [00:03<00:03,  7.00it/s]
 48%|████▊     | 24/50 [00:03<00:03,  7.00it/s]
 50%|█████     | 25/50 [00:03<00:03,  7.00it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.98it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.97it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.99it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.98it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.95it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.95it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.98it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.97it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  6.93it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.95it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.98it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.98it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.97it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.95it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.92it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  6.94it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.94it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.94it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.94it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.96it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.95it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.94it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  6.91it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.91it/s]
100%|██████████| 50/50 [00:07<00:00,  6.96it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.74it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.72it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.71it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.75it/s]
 10%|█         | 5/50 [00:01<00:11,  3.75it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.74it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.75it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.75it/s]
 18%|█▊        | 9/50 [00:02<00:10,  3.74it/s]
 20%|██        | 10/50 [00:02<00:10,  3.73it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.75it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.75it/s]
 26%|██▌       | 13/50 [00:03<00:09,  3.74it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.72it/s]
 30%|███       | 15/50 [00:04<00:09,  3.72it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.74it/s]
 34%|███▍      | 17/50 [00:04<00:08,  3.73it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.71it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.71it/s]
 40%|████      | 20/50 [00:05<00:08,  3.70it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.71it/s]
 44%|████▍     | 22/50 [00:05<00:07,  3.74it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.74it/s]
 48%|████▊     | 24/50 [00:06<00:06,  3.74it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.74it/s]
 52%|█████▏    | 26/50 [00:06<00:06,  3.74it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.73it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.73it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.73it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.73it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.73it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.74it/s]
 66%|██████▌   | 33/50 [00:08<00:04,  3.70it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.70it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.71it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.71it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.71it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.73it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.72it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.71it/s]
 82%|████████▏ | 41/50 [00:10<00:02,  3.74it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.74it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.73it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.73it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.73it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.74it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.74it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  3.74it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.74it/s]
100%|██████████| 50/50 [00:13<00:00,  3.73it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.87it/s]
  4%|▍         | 2/50 [00:00<00:16,  2.86it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.87it/s]
  8%|▊         | 4/50 [00:01<00:15,  2.89it/s]
 10%|█         | 5/50 [00:01<00:15,  2.87it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.87it/s]
 14%|█▍        | 7/50 [00:02<00:14,  2.89it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.89it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.89it/s]
 20%|██        | 10/50 [00:03<00:13,  2.89it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.89it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.89it/s]
 26%|██▌       | 13/50 [00:04<00:12,  2.90it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.90it/s]
 30%|███       | 15/50 [00:05<00:12,  2.89it/s]
 32%|███▏      | 16/50 [00:05<00:11,  2.90it/s]
 34%|███▍      | 17/50 [00:05<00:11,  2.89it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.89it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.89it/s]
 40%|████      | 20/50 [00:06<00:10,  2.88it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.88it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.88it/s]
 46%|████▌     | 23/50 [00:07<00:09,  2.89it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.88it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.89it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.89it/s]
 54%|█████▍    | 27/50 [00:09<00:07,  2.89it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.89it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.87it/s]
 60%|██████    | 30/50 [00:10<00:06,  2.87it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.88it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.87it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  2.88it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  2.88it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.87it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.88it/s]
 74%|███████▍  | 37/50 [00:12<00:04,  2.89it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.89it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.89it/s]
 80%|████████  | 40/50 [00:13<00:03,  2.89it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.88it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.89it/s]
 86%|████████▌ | 43/50 [00:14<00:02,  2.88it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.89it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.89it/s]
 92%|█████████▏| 46/50 [00:15<00:01,  2.86it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.86it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.87it/s]
 98%|█████████▊| 49/50 [00:16<00:00,  2.88it/s]
100%|██████████| 50/50 [00:17<00:00,  2.88it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:25,  1.92it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.90it/s]
  6%|▌         | 3/50 [00:01<00:24,  1.89it/s]
  8%|▊         | 4/50 [00:02<00:24,  1.89it/s]
 10%|█         | 5/50 [00:02<00:23,  1.90it/s]
 12%|█▏        | 6/50 [00:03<00:23,  1.91it/s]
 14%|█▍        | 7/50 [00:03<00:22,  1.90it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.89it/s]
 18%|█▊        | 9/50 [00:04<00:21,  1.89it/s]
 20%|██        | 10/50 [00:05<00:21,  1.89it/s]
 22%|██▏       | 11/50 [00:05<00:20,  1.89it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.89it/s]
 26%|██▌       | 13/50 [00:06<00:19,  1.89it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.89it/s]
 30%|███       | 15/50 [00:07<00:18,  1.89it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.89it/s]
 34%|███▍      | 17/50 [00:08<00:17,  1.89it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.88it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.89it/s]
 40%|████      | 20/50 [00:10<00:15,  1.88it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.89it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.89it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.90it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.89it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.89it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.89it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.89it/s]
 56%|█████▌    | 28/50 [00:14<00:11,  1.89it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.89it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.89it/s]
 62%|██████▏   | 31/50 [00:16<00:09,  1.90it/s]
 64%|██████▍   | 32/50 [00:16<00:09,  1.90it/s]
 66%|██████▌   | 33/50 [00:17<00:08,  1.90it/s]
 68%|██████▊   | 34/50 [00:17<00:08,  1.90it/s]
 70%|███████   | 35/50 [00:18<00:07,  1.90it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.90it/s]
 74%|███████▍  | 37/50 [00:19<00:06,  1.89it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.89it/s]
 78%|███████▊  | 39/50 [00:20<00:05,  1.89it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.89it/s]
 82%|████████▏ | 41/50 [00:21<00:04,  1.89it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.89it/s]
 86%|████████▌ | 43/50 [00:22<00:03,  1.89it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.90it/s]
 90%|█████████ | 45/50 [00:23<00:02,  1.89it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.90it/s]
 94%|█████████▍| 47/50 [00:24<00:01,  1.89it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.89it/s]
 98%|█████████▊| 49/50 [00:25<00:00,  1.89it/s]
100%|██████████| 50/50 [00:26<00:00,  1.89it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.12it/s]
Topic 0 | Coherence=-244912.83 | Top words= the price to your you many greedy extra also charging and not of share hikes money way over past fan years subscriptions few because outside raised too pay be dont increases shady tried offer almost hike used when fact once with no cancel new want like value that different it longer increase newest will my constant currency increasing gotten times location good country cost current enough changed about while limit moved power bill family paying ridiculous for done are changing point little news delivering cheaper in continually idea tired resume frequent justify bank addition states stopping thats euro pricing policies absurd pleased started afford happy ll husband change she thanks disgusting interested future games garbage fuel from gas get getting gf kept kidding first free forth everything expected expenses expensive extortion face fair lack far fault fee feel fees feet kids fiance finally financial financially give fix fixed flat focused food forcing forever girl half given how improvements im ill if hungry huge households increased household joint house hosehold horrible holder income increasses keeps isn itself its job issues issue isnt is increments join iny intolerable into instead inflation history hiking higher gouging hacked guys keep greed great grandkids got high gonna gone going goes go keeping hackednot hacking had jacking hand hard hardly just has every have havent having he health help her youre divorce even billings biggest biden biased biannually bf between better benefits benefit being begin before been becoming became barely back billing bills cared bit card cant cannot cancelling canceling can bye by but business buggin budget broke break boyfriend both blindly awhile away automatically aunt alarming agree againlater again after adicional addtional addresses additional adding added activities acct accounts account access acceptance all allow allowed any at as aren apps aparently anyways anymore anticonsumer already another annually an amounts amount amercian am care caring especially double doesnt do last disgusts discontinue disappointed direction differences didnt deteriorated declined decisions death deal days day daughter don down caused drain entertainment entertaining end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically date damn dad cutting company coming come combining combine college climbing climb city choose choice checking charges charged charge changes cell compared competitive compromised courtesy cut customers customer currently creep credit covid costs connected continuous continues continue continously constantly consolidating consider laid loyal later stealing starting start squeeze spouses spouse spending spend span sorry soon son something someone some so situation single stay stepdad significant stop temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub stupid stranger stopped since signaling layoff secure scaling scales saving save same run rules rule rotating rising risen rise ripped right return retiring retired second see sign seems sight sick shoves shouldn should short sharing several settled set servicio services service series sense selection seen temporary terrible than whats were went well weeks week we waste was warrant wants wanted waiting wait vs virtue vaccine ut what where thank who youll yet yearly year yall ya wouldn would worth workable work wont won without willing wife why using uses users use tooo told today tipped time tightening tight throughout through this think things thing they these there their town tracking try unnecessary us upward upping upcoming up until unneeded unfortunately trying unfair unemployed understand under unable two twice resubscribe restriction restrict nice never needed need must multiple much moving move more months monthly month monetary moment mom mistake mind next non options nonesence opportunity opening opened ontario only oneday one on ok often offset offered off now notified nothing nonsense might merge memberships membership looking long lol locations living live limiting limited life letting let lesser less legacy left leave learning loose losing lost married members member medical means me maybe may market lower manservices making makes make made luck loyalty option or restart reality re rather rates rate raising raises raise quickly quality putting put pushed provider profits profit profiles problem reactivate really
Topic 1 | Coherence=-243652.38 | Top words= prices and services to raising other it you better for people so are keep reason out kept gonna youre cheaper charge money only im if the was using your charging now need that use extra no dont do of save as good more continues much subscriptions have trying up put not some enough climb added needed why continue guys benefit want time customer its even been squeeze yet waste go forth on household stop try starting like profit anymore into cost success down legacy longer run customers respect reduce would members rather learning possible lol continously financially limiting spend charges bills barely sick adding restriction cancel we afford warrant drain worth off focused aren never being hard ripped political too virtue expensive single right profiles damn cannot signaling any raise hardly temporarily scaling service often hungry few prefer rising months fees platforms system value double apps isn in hike going fee issue havent family fan far income has isnt fault feel issues happy hand feet half fiance finally financial had first fix having he goes health entertainment especially history euro hiking holder every everything expected itself expenses hikes higher high extortion her ill face fact fair help fixed flat hacking games increases gas intolerable gotten increasing increasses got increments get gone getting gf girl inflation instead huge give given interested how idea garbage iny horrible households hackednot increase food hacked hosehold greedy forcing forever greed house improvements grandkids gouging husband free frequent increased from is fuel future great delivering entertaining benefits bill biggest biden biased biannually bf between begin billings before becoming because became be bank back billing bit end by care card cant cancelling canceling can bye but blindly business buggin budget broke break boyfriend both awhile away automatically addition againlater again after adicional addtional addresses additional activities aunt acct accounts account access acceptance absurd about agree alarming all allow at aparently anyways anticonsumer another annually an amounts amount amercian am also already almost allowed cared caring caused deteriorated disgusting discontinue disappointed direction different differences didnt job dad declined decisions death deal days day daughter disgusts divorce doesnt don emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically done date cutting cell city company coming come combining combine college climbing choose cut choice checking charged changing changes changed change compared competitive compromised connected currently current currency creep credit covid courtesy country costs continuous continually constantly constant consolidating consider jacking loyal join son start spouses spouse spending span sorry soon something states someone situation since significant sign sight shoves started stay should subscription taste talk taking take switching support summer subscribers stealing subscriber sub stupid stranger stopping stopped stepdad shouldn short terrible resume rotating risen rise ridiculous return retiring retired resubscribe rules restrict restart residence reside repurposing replace rent rule same she series sharing share shady several settled set servicio sense saving selection seen seems see secure second scales temporary than joint way whats what were went well weeks week wants where wanted waiting wait vs vaccine ut uses when while used workable youll years yearly year yall ya wouldn work who wont won without with willing will wife users us thank think tipped times tightening tight throughout through this things today thing they these there their thats thanks tired told upward unemployed upping upcoming until unneeded unnecessary unfortunately unfair understand tooo under unable two twice tried tracking town renewing remarried rejoin membership moment mom mistake mind might merge memberships member month medical means me maybe may married market monetary monthly manservices next offer notified nothing nonsense nonesence non nice news move newest new my must multiple moving moved many making reflect last let lesser less left leave layoff later laid life lack kids kidding keeps keeping justify just letting limit makes loose make made luck loyalty lower lost losing looking limited long locations location ll living live little offered offset ok por problem pricing price president prescription preemptively power popular provider pop politically policy policies poland point
Topic 2 | Coherence=-238584.22 | Top words= you for to and charge your re my when going is worth anyways ut extra in thank sign bye daughter college uses she that no sharing not good more will want just new the don from kids pay got cancel greed people married loose another months guys fee need intolerable stop city unfair because they live year memberships two something outside rate even offset increasses time each husband additional how raise what hike allow really fair fees recently play adding off many declined cant coming card different extortion summer this last nothing ridiculous spend family stopping far workable profits becoming prices at than long continue try it its first financially fix financial itself finally focused fixed flat food issues forcing forever forth issue free frequent isnt fuel future games fiance feel few feet enough laid entertaining entertainment lack especially euro kidding kept keeps every keeping everything expected expenses expensive keep face fact justify joint fan fault join gas job jacking garbage hikes get households ill hand if happy hard hardly idea end has have hungry havent huge having getting he health help household house hosehold her horrible high holder history hiking higher half im had improvements isn gf girl give into given go interested goes instead gone gonna inflation increments increasing gotten increases gouging grandkids increased great increase greedy income hacked hackednot hacking iny youre emails bill biden biased biannually bf between better benefits benefit being begin before been became be barely bank back biggest billing away billings care cannot cancelling canceling can by but business buggin budget broke break boyfriend both blindly bit bills awhile automatically email alarming againlater again after afford adicional addtional addresses addition added activities acct accounts account access acceptance absurd about agree all aunt allowed as aren are apps aparently anymore any anticonsumer annually an amounts amount amercian am also already almost cared caring caused disgusts discontinue disappointed direction differences didnt deteriorated delivering decisions death deal days day date damn dad cutting cut later divorce cell do elsewhere else eliminating el edge easily earlier duplicate due drive drastically drain down double dont done doesnt customers customer currently current company come combining combine climbing climb choose choice checking cheaper charging charges charged changing changes changed change compared competitive compromised cost currency creep credit covid courtesy country costs continuous connected continues continually continously constantly constant consolidating consider disgusting loyal layoff starting start squeeze spouses spouse spending span sorry soon son someone some so situation single since significant signaling started states sick stay talk taking take system switching support success subscriptions subscription subscribers subscriber sub stupid stranger stopped stepdad stealing sight shoves learning scales save same run rules rule rotating rising risen rise ripped right return retiring retired resume resubscribe restriction saving scaling shouldn second should short share shady several settled set servicio services service series sense selection seen seems see secure taste temporarily temporary whats went well weeks week we way waste was warrant wants wanted waiting wait vs virtue value vaccine were where terrible while youll yet years yearly yall ya wouldn would work wont won without with willing wife why who using users used use told today tired tipped times tightening tight throughout through think things thing these there their thats thanks too tooo town unnecessary us upward upping upcoming up until unneeded unfortunately tracking unemployed understand under unable twice trying tried restrict restart respect next newest never needed must multiple much moving moved move monthly month money monetary moment mom mistake mind news nice option non opening opened ontario only oneday one once on ok often offered offer of now notified nonsense nonesence might merge membership members locations location ll living little limiting limited limit like life letting let lesser less legacy left leave lol longer looking manservices member medical means me maybe may market making losing makes make made luck loyalty lower lost opportunity options residence raising raised quickly quality putting put pushed provider profit profiles problem pricing price president prescription prefer preemptively power raises rates
Topic 3 | Coherence=-224153.10 | Top words= price to and with have money increases is more cut need back don saving on just be can been in deal problem continuous from me due this prices keep high long costs month keeps as expenses the nonsense customer losing benefits sharing changing yall fuel new entertainment years increase stop down youll stealing having rise addtional job havent because shouldn pick market increased drive manservices gas competitive benefit upcoming other almost per rent quality dad rising done why change trying creep less climb inflation constant users policy paying do changes limiting off access reflect retiring must history date raises throughout bills ridiculous looking short original recession climbing food medical before want customers tracking gotten sick limited piracy than isnt increasses for focused itself increasing forcing flat forth kidding free frequent income future forever finally fixed fix intolerable expensive extortion extra isn into face lack kids fact fair family fan far fault fee feel fees feet interested few instead fiance increments financial financially first kept girl issue games half hand if happy expected hard hardly has joint idea he health help her join husband hungry higher hike huge hikes hiking holder horrible hosehold how house household households had hacking hackednot going garbage issues get getting improvements gf jacking it give keeping given go goes gone its im gonna good ill got gouging grandkids great iny greedy guys hacked justify greed youre everything at bill biggest biden biased biannually bf between better being begin becoming became barely bank awhile away automatically billing billings bit by card cant cannot cancelling canceling cancel bye but blindly business buggin budget broke break boyfriend both aunt aren every are againlater again after afford adicional addresses additional addition adding added activities acct accounts account acceptance absurd about agree alarming all annually apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already allowed care cared caring caused dont last doesnt divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death double drain drastically email even euro especially entertaining enough end emails elsewhere duplicate else eliminating el edge easily earlier each days day daughter choice coming come combining combine college city choose checking compared cheaper charging charges charged charge changed cell company compromised damn country cutting currently current currency credit covid courtesy cost connected continues continue continually continously constantly consolidating consider laid loyal later stupid stopping stopped stepdad stay states starting started start squeeze spouses spouse spending spend span sorry soon son stranger sub thats subscriber thanks thank terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers something someone some so selection seen seems see secure second scaling scales save same run rules rule rotating risen ripped right sense series service shoves situation single since significant signaling sign sight should services she share shady several settled set servicio that their retired when what were went well weeks week we way waste was warrant wants wanted waiting wait vs virtue whats where there while you yet yearly year ya wouldn would worth workable work wont won without willing will wife who value vaccine ut using town tooo too told today tired tipped times time tightening tight through think things thing they these tried try twice until uses used use us upward upping up unneeded two unnecessary unfortunately unfair unemployed understand under unable return resume layoff non nice next news newest never needed my multiple much moving moved move months monthly monetary moment mom no nonesence options not opportunity opening opened ontario only oneday one once ok often offset offered offer of now notified nothing mistake mind might merge lol locations location ll living live little limit like life letting let lesser legacy left leave learning longer loose lost married memberships membership members member means maybe may many lower making makes make made luck loyalty your option or resubscribe reality re rather rates rate raising raised raise quickly putting put pushed provider profits profit profiles pricing president reactivate really
Topic 4 | Coherence=-243958.09 | Top words= and subscription my price in the we is will where different to too you your access many have now increases use why increments checking luck be am canceling with greed good two ridiculous change pay me upcoming fee anticonsumer locations subscriptions people live moved are how increase that since mom membership cancel want on need their only they other tracking one places moving restrict won this using service dont but boyfriend both able addresses away passed house who significant husband she fiance son so subscriber consolidating poland same amercian phone emails owner double wants payment has caused joint newest offered gouging often remarried redo merge more buggin aunt households had prices opening wife next coming well became week drastically really he fees forever extra it extortion expensive food expenses for forcing expected fact everything every justify forth even euro free frequent from fuel future face fair focused just few garbage finally feel join fault far job financial jacking feet financially fan first fix fixed itself its family flat games goes issues if inflation increasses hard increasing hardly increased income improvements havent having im health ill idea happy help her high higher hungry hike hikes hiking history holder huge horrible hosehold entertainment hand gas gonna get issue getting gf girl give given go isnt household isn going gone got instead iny gotten intolerable grandkids great into greedy guys hacked hackednot interested hacking half especially direction entertaining billing biggest biden biased biannually bf between better benefits benefit being begin before been becoming because barely bank bill billings changes bills cell caring cared care card cant cannot cancelling can bye by business budget broke break blindly bit back awhile automatically at againlater again after afford adicional addtional additional addition adding added activities acct accounts account acceptance absurd about agree alarming all another as aren apps aparently anyways anymore any annually allow an amounts amount also already almost allowed changed changing enough divorce disgusting discontinue disappointed keeping differences didnt deteriorated delivering declined decisions death deal days day daughter date damn disgusts do charge doesnt end email elsewhere else eliminating el edge easily earlier each duplicate due drive drain down done don dad cutting cut customers compromised competitive compared company come combining combine college climbing climb city choose choice cheaper charging charges charged connected consider constant courtesy customer currently current currency creep credit covid country constantly costs cost continuous continues continue continually continously keep youre keeps shouldn squeeze spouses spouse spending spend span sorry soon something someone some situation single signaling sign sight sick start started starting sub take system switching support summer success subscribers stupid states stranger stopping stopped stop stepdad stealing stay shoves should kept short run rules rule rotating rising risen rise ripped right return retiring retired resume resubscribe restriction restart respect save saving scales services sharing share shady several settled set servicio series scaling sense selection seen seems see secure second taking talk taste temporarily went weeks way waste was warrant wanted waiting wait vs virtue value vaccine ut uses users used were what whats wouldn youll yet years yearly year yall ya would when worth workable work wont without willing while us upward upping thing time tightening tight throughout through think things these tipped there thats thanks thank than terrible temporary times tired up under until unneeded unnecessary unfortunately unfair unemployed understand unable today twice trying try tried town tooo told residence reside repurposing oneday move months monthly month money monetary moment mistake mind might memberships members member medical means maybe may much multiple must not ok offset offer off of notified nothing nonsense needed nonesence non no nice news new never married market manservices leave life letting let lesser less legacy left learning limit layoff later last laid lack kids kidding like limited making loose makes make made loyalty lower lost losing looking limiting longer long lol location ll living little once ontario replace opened raise quickly quality putting put pushed provider profits profit profiles problem pricing president prescription prefer preemptively power
Topic 5 | Coherence=-230977.67 | Top words= extra you subscription and with of my share family that increase about using money don bill like when charging me for paying sharing states idea news limit power want out charge cant an hikes subscriptions pay if im because no grandkids stay without support parents disgusting won longer will future charges issues expected limited better hosehold fair taste bye gonna talk unable outside agree acceptance cutting more waiting day kept expenses until unnecessary in date services replace living country death gf given give go extortion goes expensive girl every going gone everything getting even euro good especially entertainment got gotten gouging entertaining face flat get gas focused fixed great food fix first financially financial finally forcing forever forth fiance free few frequent feet fees from fuel feel games fee fault far fact garbage fan youre greed is jacking itself its it issue isnt isn iny join intolerable into interested instead inflation increments increasses job joint greedy last less legacy left leave learning layoff later laid just lack kids kidding keeps keeping keep justify increasing increases increased hard he end having havent have has hardly happy income hand half had hacking hackednot hacked guys health help her high improvements ill husband hungry huge how households household house horrible holder history hiking hike higher enough do emails before biased biannually bf between benefits benefit being begin been care becoming became be barely bank back awhile away biden biggest billing billings cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend both blindly bit bills automatically aunt at all againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access absurd alarming allow as allowed aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost card cared email declined discontinue disappointed direction different differences didnt deteriorated delivering decisions caring deal days daughter damn dad cut customers customer disgusts divorce let doesnt elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done currently current currency coming combining combine college climbing climb city choose choice checking cheaper charged changing changes changed change cell caused come company creep compared credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive lesser loyal letting span starting started start squeeze spouses spouse spending spend sorry significant soon son something someone some so situation single stealing stepdad stop stopped thank than terrible temporary temporarily taking take system switching summer success subscribers subscriber sub stupid stranger stopping since signaling life rotating scaling scales saving save same run rules rule rising sign risen rise ripped right ridiculous return retiring retired second secure see seems sight sick shoves shouldn should short she shady several settled set servicio service series sense selection seen thanks thats the was were went well weeks week we way waste warrant their wants wanted wait vs virtue value vaccine ut what whats where while youll yet years yearly year yall ya wouldn would worth workable work wont willing wife why who uses users used too today to tired tipped times time tightening tight throughout through this think things thing they these there told tooo use town us upward upping upcoming up unneeded unfortunately unfair unemployed understand under two twice trying try tried tracking resume resubscribe restriction new nothing not nonsense nonesence non nice next newest never others needed need must multiple much moving moved move notified now off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered months monthly month makes made luck loyalty your lower lost losing loose looking long lol locations location ll live little limiting make making monetary manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many other our restrict quickly re rather rates rate raising raises raised raise quality over putting put pushed provider profits profit profiles problem reactivate reality really
Topic 6 | Coherence=-234477.61 | Top words= the price are not is for to this months you bye that me of come back increase it good have and out in will want again fact email consider only few subscriptions if give forever lack issue rectifying reactivate money makes never budget ill tight hikes try getting willing once reality sharing hand options acceptance recent something talk support great profiles change got multiple selection raised workable happy system spending made far consolidating town cannot after future get limited damn return wait married higher too stopped house new restart may right our under rates billings anymore users kids absurd paying else more times stop household many moving competitive her later another cancelling hackednot guys greedy aparently greed apps aren grandkids gouging gotten as at aunt gonna gone hacked hacking amounts had half anyways any anticonsumer hard hardly has annually havent having he health help going goes automatically fixed because forcing becoming food focused flat fix away first financially financial finally fiance been forth free frequent became from fuel be games garbage gas barely bank gf girl awhile given go an amount canceling into acct isnt isn activities iny intolerable interested accounts instead inflation increments increasses increasing added issues its high keep about access kidding kept keeps keeping justify itself just joint join job account jacking increases adding increased almost all hosehold allow horrible holder allowed history addition hiking already also am hike amercian alarming households how huge hungry husband idea agree againlater im improvements afford adicional addtional addresses income additional feet fees feel continually costs cost continuous blindly continues continue continously courtesy constantly constant both boyfriend connected compromised country covid fee cut day daughter date bills dad cutting customers credit customer currently bit current currency creep break compared company cell changing changes but by changed can caused coming caring cared care cancel card cant charge charged charges charging cheaper checking choice choose business city climb climbing college combine buggin combining broke days deal death emails euro especially entertainment entertaining enough end benefits biased better elsewhere between bf eliminating el even every benefit everything expected expenses being expensive extortion extra face begin fair family fan before fault biannually edge decisions different laid disgusts disgusting discontinue disappointed direction bill easily differences billing didnt deteriorated delivering declined divorce do doesnt don done dont double down drain drastically drive due duplicate biggest each earlier biden youre loyal last states started start squeeze spouses spouse spend span sorry soon son someone some so situation single since significant starting stay thank stealing terrible temporary temporarily taste taking take switching summer success subscription subscribers subscriber sub stupid stranger stopping stepdad signaling sign sight sick scaling scales saving save same run rules rule rotating rising risen rise ripped ridiculous retiring retired resume second secure see several shoves shouldn should short she share shady settled seems set servicio services service series sense seen than thanks restriction where whats what were went well weeks week we way waste was warrant wants wanted waiting vs virtue when while thats who youll yet years yearly year yall ya wouldn would worth work wont won without with wife why value vaccine ut using tracking tooo told today tired tipped time tightening throughout through think things thing they these there their tried trying twice up uses used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand unable resubscribe restrict layoff nice news newest needed need my must much moved move monthly month monetary moment mom mistake mind might next no option non opening opened ontario oneday one on ok often offset offered offer off now notified nothing nonsense nonesence merge memberships membership members location ll living live little limiting limit like life letting let lesser less legacy left leave learning locations lol long make member medical means maybe market manservices making luck longer loyalty your lower lost losing loose looking opportunity or respect raising raise quickly quality putting put pushed provider profits profit problem pricing prices president prescription prefer preemptively power raises rate
Topic 7 | Coherence=-245927.64 | Top words= it time at the prices you my and for increasing this can is keep afford only now will no like long we subscriber to rates alarming loyalty feel there customer going subscription as don by anymore just use using cant business not are months last make job pay that lost but right in many dont making resubscribe doesnt sense charge moved decisions with well when see want thanks guys keeps being daughter has fault caused biden president inflation due out second damn opened work again month same residence rising mistake these duplicate mind was of used increase stranger elsewhere upping start constantly budget justify yall much moment apps been interested increased vaccine cheaper new really increases youll users other temporary ill on or before stop horrible disgusts free phone hand garbage gas forth games future fuel from frequent youre fiance forever far every everything expected expenses expensive extortion extra face fact fair family fan fee forcing fees feet few finally financial financially first fix fixed flat focused food get havent getting income history holder hosehold house household households how huge hungry husband idea if im improvements increasses hikes increments instead into intolerable iny isn isnt issue issues its itself jacking join joint hiking hike gf greedy girl give given go goes gone gonna good got gotten gouging grandkids great greed hacked higher hackednot hacking had half happy hard hardly have having he health help her high even differences euro especially bill biggest biased biannually bf between better benefits benefit begin becoming because became be barely bank back billing billings bills canceling cell caring cared care card cannot cancelling cancel bit bye buggin broke break boyfriend both blindly awhile away automatically added after adicional addtional addresses additional addition adding activities agree acct accounts account access acceptance absurd about againlater all aunt an aren aparently anyways any anticonsumer another annually amounts allow amount amercian am also already almost allowed change changed changes deteriorated divorce disgusting discontinue disappointed direction different didnt delivering done declined death deal days day date dad do double cut eliminating entertainment entertaining enough end emails email else el down edge easily earlier each drive drastically drain cutting customers changing climbing compared company coming come combining combine college climb compromised city choose choice checking charging charges charged competitive connected currently costs current currency creep credit covid courtesy country cost consider continuous continues continue continually continously constant consolidating keeping loyal kept shoves spending spend span sorry soon son something someone some so situation single since significant signaling sign sight spouse spouses squeeze sub system switching support summer success subscriptions subscribers stupid started stopping stopped stepdad stealing stay states starting sick shouldn replace should run rules rule rotating risen rise ripped ridiculous return retiring retired resume restriction restrict restart respect reside save saving scales set short she sharing share shady several settled servicio scaling services service series selection seen seems secure take taking talk taste were went weeks week way waste warrant wants wanted waiting wait vs virtue value ut uses us what whats where worth yet years yearly year ya wouldn would workable while wont won without willing wife why who upward upcoming up things tipped times tightening tight throughout through think thing today they their thats thank than terrible temporarily tired told until unable unneeded unnecessary unfortunately unfair unemployed understand under two too twice trying try tried tracking town tooo repurposing rent kidding means needed need must multiple moving move more monthly money monetary mom might merge memberships membership members member never newest news offered ontario oneday one once ok often offset offer next off notified nothing nonsense nonesence non nice medical me renewing maybe limiting limited limit life letting let lesser less legacy left leave learning layoff later laid lack kids little live living your may married market manservices makes made luck lower ll losing loose looking longer lol locations location opening opportunity option options quickly quality putting put pushed provider profits profit profiles problem pricing price prescription prefer preemptively power possible
Topic 8 | Coherence=-238341.11 | Top words= price and prices the raising you keep increase greedy is your year not of just up it when this am profiles was last after every to that what being additional with re starting profit enough high good about but worth since understand wouldn means were cared really ll leave begin hiking keeps if member stop has gone going service us only are terrible hike increasing months or deteriorated span added selection nothing willing drastically like seems my in ok amount fixed income will afford on because times support customer budget provider through opportunity won started issues upping pay hardly increases return any twice ridiculous think tightening againlater improvements differences without days profits kidding jacking huge series popular financial can canceling horrible loyal amounts at by way unemployed became annually before isnt retired non expected please connected living elsewhere getting daughter offered these share nonesence lower pls greed wont cell changed situation using tired paying go makes currently goes pleased owner restriction longer hacking grandkids got gouging gotten gonna anticonsumer gf girl anymore anyways aparently give given apps get cancel aren gas feet few fiance finally back financially first fix awhile flat away focused food automatically for forcing forever aunt forth free frequent as great fuel future games garbage from happy another alarming husband idea ill agree im again adicional addtional addresses increased addition adding increasses increments activities inflation instead interested acct into accounts intolerable account iny access acceptance isn absurd issue hungry all guys how hacked hackednot had half hand feel hard an have amercian havent having he health help her also higher already hikes almost history allowed holder allow hosehold house household households fees extra fee continuous competitive compromised both blindly consider bit consolidating bills constant constantly continously continually continue continues cost damn costs country courtesy covid credit creep currency current billings billing bill customers cut cutting compared company coming come cancelling cannot cant business buggin card care broke caring caused break change changes changing charge charged charges charging boyfriend cheaper checking choice choose city climb climbing college combine combining dad date fault especially each becoming earlier easily edge el eliminating else email emails end be entertaining entertainment euro day even barely everything expenses expensive extortion bye face fact fair family fan bank far duplicate been benefit benefits biggest deal death biden declined delivering biased didnt biannually different direction disappointed discontinue disgusting bf disgusts divorce between do doesnt don better done dont double down drain drive due decisions youre its signaling son something someone some so single significant sign sorry sight sick shoves shouldn should short she soon spend success stopped subscription subscribers subscriber sub stupid stranger stopping stepdad spending stealing stay states start squeeze spouses spouse sharing shady several restart rise ripped right retiring resume resubscribe restrict respect settled residence reside repurposing replace rent renewing remarried risen rising rotating rule set servicio services sense seen see secure second scaling scales saving save same run rules subscriptions summer itself vs waste warrant wants wanted want waiting wait virtue week value vaccine ut uses users used use we weeks switching workable youll yet years yearly yall ya would work well wife why who while where whats went upward upcoming until thank things thing they there their thats thanks than unneeded temporary temporarily taste talk taking take system throughout tight time tipped unnecessary unfortunately unfair under unable two trying try tried tracking town tooo too told today rejoin reflect reducing memberships monetary moment mom mistake mind might merge membership month members medical me maybe may married market money monthly reduce never nonsense no nice next news newest new needed more need must multiple much moving moved move many manservices making laid lesser less legacy left learning layoff later lack make kids kept keeping justify joint join job let letting life limit made luck loyalty lost losing loose looking long lol locations location live little limiting limited notified now off possible problem pricing president prescription prefer preemptively power por play pop politically political policy policies
Topic 9 | Coherence=-233658.76 | Top words= too for is expensive me it keep the and prices now price going worth your not charges much sharing service many pricing others addition no new to you are greedy rates terrible do upward unfortunately increasing same thing higher than who getting added uses thank college so sign she re vs switching compared newest better anyways ut cant given daughter benefits services stupid changing longer rule never nonsense maybe have right less lesser itself offer offered its agree rising later ya girl thanks but creep caring options changes way increased whats amount overpriced these subscriptions hackednot easily secure policy don date different happy tight allowed havent isnt feet few fiance finally financial financially first jacking fix fixed issues issue flat feel focused isn food iny forcing forever forth intolerable free frequent into from fees fee future fault entertaining entertainment especially euro even kids every kidding kept everything keeps keeping justify expected expenses just extortion extra face fact joint fair join family fan far job fuel interested having greed guys hacked huge how households household house hosehold hacking had horrible half holder history hand hiking hikes hike end hard high her hardly has help health he hungry great instead grandkids games garbage gas get inflation increments increasses increases gf increase give income in go improvements goes im ill if gone idea gonna good got gotten husband gouging enough youre emails bill biden biased biannually bf between benefit being begin before been becoming because became be barely bank back biggest billing care billings cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills awhile away automatically aunt againlater again after afford adicional addtional addresses additional adding activities acct accounts account access acceptance absurd about alarming all allow anticonsumer at as aren apps aparently anymore any another almost annually an amounts amercian am also already card cared email disgusting disappointed direction laid differences didnt deteriorated delivering declined decisions death deal days day damn dad cutting cut discontinue disgusts caused divorce elsewhere else eliminating el edge earlier each duplicate due drive drastically drain down double dont done doesnt customers customer currently current coming come combining combine climbing climb city choose choice checking cheaper charging charged charge changed change cell company competitive compromised continuous currency credit covid courtesy country costs cost continues connected continue continually continously constantly constant consolidating consider lack loyal last starting start squeeze spouses spouse spending spend span sorry soon son something someone some situation single since significant started states temporarily stay talk taking take system support summer success subscription subscribers subscriber sub stranger stopping stopped stop stepdad stealing signaling sight sick shoves run rules rotating risen rise ripped ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence save saving scales set shouldn should short share shady several settled servicio scaling series sense selection seen seems see second taste temporary layoff where what were went well weeks week we waste was warrant wants wanted want waiting wait virtue value when while that why youll yet years yearly year yall wouldn would workable work wont won without with willing will wife vaccine using users used tooo told today tired tipped times time tightening throughout through this think things they there their thats town tracking tried unnecessary use us upping upcoming up until unneeded unfair try unemployed understand under unable two twice trying reside repurposing replace needed my must multiple moving moved move more months monthly month money monetary moment mom mistake mind might need news rent next opened ontario only oneday one once on ok often offset off of notified nothing nonesence non nice merge memberships membership members locations location ll living live little limiting limited limit like life letting let legacy left leave learning lol long looking making member medical means may married market manservices makes loose make made luck loyalty lower lost losing opening opportunity option popular raise quickly quality putting put pushed provider profits profit profiles problem president prescription prefer preemptively power possible raised
Topic 10 | Coherence=-223798.56 | Top words= pay to my have but bill subscription youre was charge greedy extortion taste are company its not that is it disgusting about family different so for an extra after charged just subscriptions me card because ill compromised do without wanted too told credit automatically option allowed bank increase much think charging be should hacked keep what using half can raising many declined newest notified today you take yearly prefer break he profits vaccine aparently caring care customers account living gonna goes fair fact go gone fan going great face grandkids every even good greed given got gotten expenses expected everything gouging expensive first give from fix fixed flat focused food financial forcing guys finally fiance forth free few frequent feet girl fees fuel future games garbage gas feel get getting fee gf financially fault far forever hike hackednot issue justify joint join job jacking itself issues isnt hacking isn iny intolerable into interested instead inflation keeping keeps kept kidding life letting let lesser less legacy left leave learning layoff later last laid lack kids increments increasses increasing history hikes especially higher high her help health having havent has hardly hard happy hand had hiking holder increases horrible increased income in improvements im if idea husband hungry huge how households household house hosehold euro doesnt entertainment billings biggest biden biased biannually bf between better benefits benefit being begin before been becoming became barely back billing bills entertaining bit cell caused cared cant cannot cancelling canceling cancel bye by business buggin budget broke boyfriend both blindly awhile away aunt at agree againlater again afford adicional addtional addresses additional addition adding added activities acct accounts access acceptance absurd alarming all allow another as aren apps anyways anymore any anticonsumer annually almost and amounts amount amercian am also already change changed changes date done don limit divorce disgusts discontinue disappointed direction differences didnt deteriorated delivering decisions death deal days day dont double down el enough end emails email elsewhere else eliminating edge drain easily earlier each duplicate due drive drastically daughter damn changing dad consider connected competitive compared coming come combining combine college climbing climb city choose choice checking cheaper charges consolidating constant constantly covid cutting cut customer currently current currency creep courtesy continously country costs cost continuous continues continue continually like loyal limited span starting started start squeeze spouses spouse spending spend sorry stay soon son something someone some situation single since states stealing resume summer terrible temporary temporarily talk taking system switching support success stepdad subscribers subscriber sub stupid stranger stopping stopped stop significant signaling sign rule second scaling scales saving save same run rules rotating sight rising risen rise ripped right ridiculous return retiring secure see seems seen sick shoves shouldn short she sharing share shady several settled set servicio services service series sense selection than thank thanks way when whats were went well weeks week we waste uses warrant wants want waiting wait vs virtue value where while who why youll yet years year yall ya wouldn would worth workable work wont won with willing will wife ut users thats throughout town tooo tired tipped times time tightening tight through used this things thing they these there their the tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retired resubscribe limiting news now nothing nonsense nonesence non no nice next new off never needed need must multiple moving moved move of offer restriction opened our others other original or options opportunity opening ontario offered only oneday one once on ok often offset more months monthly loose make made luck loyalty your lower lost losing looking month longer long lol locations location ll live little makes making manservices market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married out outside over raise reality reactivate re rather rates rate raises raised quickly prices quality putting put pushed provider profit profiles problem really reason recent recently
Topic 11 | Coherence=-227636.14 | Top words= be back will to my on of subscription for need the break money now taking service another just as change month got get getting payment billing end divorce and move spending am ll can through going country when wife ill we cut moving using courtesy laid saving later left unable phone help bit own date all rejoin possible with platform married at customer much payday time but once else broke trying come no spend awhile accounts settled combining rotating feet cheaper im expenses months several provider free next discontinue repurposing weeks servicio por something less temporarily adicional summer thank pagos share cancelling might piracy monetary el soon replace resume year join cutting instead week few flat layoff reflect times these switching hungry kids prefer is temporary live into forever from focused food issue forcing frequent joint isnt intolerable forth isn issues everything expected iny family expensive fixed future far fault fee feel fees jacking fair fact fiance itself its fan face finally it extra extortion financial job financially first fix fuel health games garbage hacked hackednot huge hacking how had half households hand happy hard household even hardly has house hosehold horrible have holder history hiking havent hikes hike having higher high her guys greedy husband gone interested gas inflation he gf increments increasses girl give given go goes increasing increases idea increased gonna good increase gotten income in gouging grandkids improvements if great greed every youre euro away biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became barely bill billings bills canceling caused caring cared care card cant cannot cancel blindly bye by business buggin budget boyfriend both bank automatically changed aunt againlater again after afford addtional addresses additional addition adding added activities acct account access acceptance absurd about agree alarming allow anticonsumer aren are apps aparently anyways anymore any annually allowed an amounts amount amercian also already almost cell changes especially day don doesnt do disgusts disgusting keep disappointed direction different differences didnt deteriorated delivering declined decisions death deal done dont double edge entertainment entertaining enough emails email elsewhere eliminating easily down earlier each duplicate due drive drastically drain days daughter changing damn compromised competitive compared company coming combine college climbing climb city choose choice checking charging charges charged charge connected consider consolidating covid dad customers currently current currency creep credit costs constant cost continuous continues continue continually continously constantly justify loyal keeping that states starting started start squeeze spouses spouse span sorry son someone some so situation single since significant stay stealing stepdad success than terrible taste talk take system support subscriptions stop subscribers subscriber sub stupid stranger stopping stopped signaling sign sight ripped same run rules rule rising risen rise right scales ridiculous return retiring retired resubscribe restriction restrict save scaling sick set shoves shouldn should short she sharing shady services second series sense selection seen seems see secure thanks thats respect their whats what were went well way waste was warrant wants wanted want waiting wait vs virtue value where while who wouldn youll you yet years yearly yall ya would why worth workable work wont won without willing vaccine ut uses tightening town tooo too told today tired tipped tight tried throughout this think things thing they there tracking try users until used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under two restart residence keeps opened needed must multiple moved more monthly moment mom mistake mind merge memberships membership members member medical means never new newest offer only oneday one ok often offset offered off news notified nothing not nonsense nonesence non nice me maybe may let little limiting limited limit like life letting lesser location legacy leave learning last lack kidding kept living locations market loyalty many manservices making makes make made luck your lol lower lost losing loose looking longer long ontario opening reside opportunity raised raise quickly quality putting put pushed profits profit profiles problem pricing prices price president prescription preemptively
Topic 12 | Coherence=-233896.13 | Top words= subscription my has in the with price an already one to too me increases so like someone moving using bf other dont everything hacked he it need life keep over selection outside direction else raising moved tipped continually finally scales months wife husband anymore goes hike is much edge married stepdad pushed hikes expensive hard who her are agree new business fix ontario getting than losing own services more spouse keeps aparently covid broke seen spouses hacking taking reason what location acct sight reality lack been got out lost up subscriptions resume long flat joint garbage focused fuel gas first just financially financial fixed food join for forcing fiance games forever forth future job free frequent from justify households few feet end enough later entertaining entertainment last especially laid euro even every expected expenses kids kidding extortion extra face fact fair family fan kept far keeping fault fee get fees feel girl jacking improvements hand happy increasing hardly increased have havent having increase health help income high higher increasses im ill hiking history if holder horrible idea hosehold house hungry huge how half increments gf isn itself household give given go its going gone gonna good issues issue isnt iny had gotten gouging intolerable grandkids great into greed greedy guys interested hackednot instead inflation youre doesnt emails benefit bill biggest biden biased biannually between better benefits being billings begin before becoming because became be barely bank billing bills email can cared care card cant cannot cancelling canceling cancel bye bit by but buggin budget break boyfriend both blindly back awhile away addition againlater again after afford adicional addtional addresses additional adding automatically added activities accounts account access acceptance absurd about alarming all allow allowed aunt at as aren apps anyways any anticonsumer another annually and amounts amount amercian am also almost caring caused cell death disappointed different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut discontinue disgusting disgusts divorce elsewhere eliminating el easily earlier each duplicate due drive drastically drain down double done don learning do customers currently change choice come combining combine college climbing climb city choose checking current cheaper charging charges charged charge changing changes changed coming company compared competitive currency creep credit courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected compromised layoff loyal leave stupid stopping stopped stop stealing stay states starting started start squeeze spending spend span sorry soon son something stranger sub situation subscriber their thats that thanks thank terrible temporary temporarily taste talk take system switching support summer success subscribers some single these seems secure second scaling saving save same run rules rule rotating rising risen rise ripped right ridiculous return see sense since series significant signaling sign sick shoves shouldn should short she sharing share shady several settled set servicio service there they retired while when whats were went well weeks week we way waste was warrant wants wanted want waiting wait where why virtue will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vs value thing twice try tried tracking town tooo told today tired times time tightening tight throughout through this think things trying two vaccine unable ut uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under retiring resubscribe left nothing nonsense nonesence non no nice next news newest never needed must multiple move monthly month money monetary not notified mom now or options option opportunity opening opened only oneday once on ok often offset offered offer off of moment mistake others your loose looking longer lol locations ll living live little limiting limited limit letting let lesser less legacy lower loyalty mind luck might merge memberships membership members member medical means maybe may market many manservices making makes make made original our restriction really re rather rates rate raises raised raise quickly quality putting put provider profits profit profiles problem pricing reactivate recent president
Topic 13 | Coherence=-240820.79 | Top words= too prices has company you much price the or many are and year other biannually entertaining raised after far seems your options consider increases it increasing ill like fees up cost of rules high going just way not worth anymore for money raising constantly long passed away went me be will with take renewing account oneday off earlier while to sorry new elsewhere quality reducing have charges laid paying had expenses cancel business subscribers let since tired first playing didnt games subscriptions is becoming added greed month keeps risen quickly down biggest summer activities isnt better disgusts parent owning she person fee politically owner prescription service set deal everything biased unneeded monthly membership mom tooo can health lol living moment more cheaper think feet few fiance financially finally financial inflation instead havent increments feel fixed flat increasses focused food increased increase income forcing in improvements forever fix intolerable interested its expected keeping keep justify joint join job expensive extortion jacking itself extra into issues face fact fair issue family fan isn iny fault im forth idea free hacked gonna hiking good got gotten gouging grandkids great greedy hikes guys hike frequent hackednot hacking higher half hand happy hard her every help he gone history holder goes from if fuel having future husband hungry huge how garbage households gas get getting gf girl household house give hosehold given horrible go hardly youre even blindly bills billings billing bill biden bf between benefits benefit being begin before been because became barely bank bit both awhile boyfriend cell caused caring cared care card cant cannot cancelling canceling bye by but buggin budget broke break back automatically euro allow alarming agree againlater again afford adicional addtional addresses additional addition adding acct accounts access acceptance absurd about all allowed aunt almost at as aren apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already change changed changes done doesnt do divorce disgusting discontinue disappointed direction different differences deteriorated delivering declined decisions death days day daughter kept dont changing double especially entertainment enough end emails email else eliminating el edge easily each duplicate due drive drastically drain date damn dad cutting compromised competitive compared coming come combining combine college climbing climb city choose choice checking charging charged charge connected consolidating constant credit cut customers customer currently current currency creep covid continously courtesy country costs continuous continues continue continually don loyal kidding so stepdad stealing stay states starting started start squeeze spouses spouse spending spend span soon son something someone stop stopped stopping taking thank than terrible temporary temporarily taste talk system stranger switching support success subscription subscriber sub stupid some situation that single see secure second scaling scales saving save same run rule rotating rising rise ripped right ridiculous return seen selection sense should significant signaling sign sight sick shoves shouldn short series sharing share shady several settled servicio services thanks thats kids ut what were well weeks week we waste was warrant wants wanted want waiting wait vs virtue value whats when where would youll yet years yearly yall ya wouldn workable who work wont won without willing wife why vaccine using their uses tracking town told today tipped times time tightening tight throughout through this things thing they these there tried try trying until users used use us upward upping upcoming unnecessary twice unfortunately unfair unemployed understand under unable two retiring retired resume member newest never needed need my must multiple moving moved move months monetary mistake mind might merge memberships news next nice offset ontario only one once on ok often offered no offer now notified nothing nonsense nonesence non members medical resubscribe means live little limiting limited limit life letting lesser less legacy left leave learning layoff later last lack ll location locations make maybe may married market manservices making makes made longer luck loyalty lower lost losing loose looking opened opening opportunity option reality reactivate re rather rates rate raises raise putting put pushed provider profits profit profiles problem pricing
 29%|██▉       | 14/48 [32:30<1:35:35, 168.68s/it]
Topic 14 | Coherence=-242151.13 | Top words= the price to not anymore increase you with for and currently worth have up expensive me enough just subscription your paying more customers care other life garbage this of nice keeping shoves face pop especially forcing choice iny lost again us need make between service continues subscriber rate do start one made customer used before is kids putting even choose are activities into go already so about raising letting take keep be don that my share or things only first hike time amount in rise issues no quality way blindly moved should end fault stupid canceling there users sight will financial news next preemptively sub some combine households personal disappointed why short gf get having kidding two family live monthly holder isn recent eliminating reside change account bills horrible renewing addtional death use these save increasing another changed greed guys greedy great apps grandkids gouging gotten got aparently hacking hacked hackednot gonna anyways any anticonsumer had half hand happy annually an hard hardly good going gone fuel became fix fixed barely flat focused food bank back forever forth free frequent from future aren games awhile gas away automatically getting aunt at girl give given as goes amounts has also amercian afford income increased increases increasses increments inflation instead interested addresses additional intolerable addition adding added acct accounts isnt issue it its itself jacking job join joint access justify acceptance absurd adicional after havent improvements am because almost he health help her high higher allowed hikes hiking history allow hosehold house household all alarming how huge hungry husband idea if ill agree againlater im financially few becoming current continously continually continue bye by continuous cost costs country courtesy covid credit creep currency but deteriorated business buggin cut cutting dad damn date budget daughter day days deal decisions declined constantly constant can consolidating changing charge charged charges charging cheaper checking cell caused city climb climbing college caring cared card combining come coming company compared competitive cant compromised cannot connected cancelling cancel consider delivering didnt finally benefit biggest biden entertaining entertainment biased biannually euro bf every better everything expected expenses benefits extortion differences extra being fact fair begin fan far been fee feel fees feet changes fiance emails email elsewhere else different direction broke break discontinue disgusting disgusts divorce boyfriend doesnt both done dont double down drain drastically drive due duplicate each earlier bit easily edge el billings billing bill youre loyal keeps sign starting started squeeze spouses spouse spending spend span sorry soon son something someone situation single since significant states stay stealing support temporary temporarily taste talk taking system switching summer stepdad success subscriptions subscribers stranger stopping stopped stop signaling sick residence shouldn run rules rule rotating rising risen ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart same saving scales services she sharing shady several settled set servicio series scaling sense selection seen seems see secure second terrible than thank thanks whats what were went well weeks week we waste was warrant wants wanted want waiting wait vs when where while wouldn youll yet years yearly year yall ya would who workable work wont won without willing wife virtue value vaccine tightening tooo too told today tired tipped times tight tracking throughout through think thing they their thats town tried ut unnecessary using uses upward upping upcoming until unneeded unfortunately try unfair unemployed understand under unable twice trying respect repurposing kept medical multiple much moving move months month money monetary moment mom mistake mind might merge memberships membership members must needed never offer oneday once on ok often offset offered off new now notified nothing nonsense nonesence non newest member means replace maybe little limiting limited limit like let lesser less legacy left leave learning layoff later last laid lack living ll location luck may married market many manservices making makes loyalty locations lower losing loose looking longer long lol ontario opened opening opportunity quickly put pushed provider profits profit profiles problem pricing prices president prescription prefer power possible por popular
Average topic coherence for the top words is -236463.07746115804
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.71it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.60it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.61it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.56it/s]
 10%|█         | 5/50 [00:00<00:08,  5.52it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.51it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.51it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.53it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.57it/s]
 20%|██        | 10/50 [00:01<00:07,  5.59it/s]
 22%|██▏       | 11/50 [00:01<00:06,  5.59it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.60it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.64it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.65it/s]
 30%|███       | 15/50 [00:02<00:06,  5.66it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.64it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.65it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.63it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.62it/s]
 40%|████      | 20/50 [00:03<00:05,  5.66it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.65it/s]
 44%|████▍     | 22/50 [00:03<00:04,  5.62it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.58it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.59it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.57it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.57it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.54it/s]
 56%|█████▌    | 28/50 [00:05<00:03,  5.58it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.58it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.60it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.58it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.58it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.60it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.58it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.62it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.63it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.63it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.62it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  5.59it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.61it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.62it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.64it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.64it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.61it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.57it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.58it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.59it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.62it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.59it/s]
100%|██████████| 50/50 [00:08<00:00,  5.60it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.94it/s]
  4%|▍         | 2/50 [00:00<00:06,  6.96it/s]
  6%|▌         | 3/50 [00:00<00:06,  7.02it/s]
  8%|▊         | 4/50 [00:00<00:06,  7.05it/s]
 10%|█         | 5/50 [00:00<00:06,  6.99it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.94it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.87it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.88it/s]
 18%|█▊        | 9/50 [00:01<00:05,  6.91it/s]
 20%|██        | 10/50 [00:01<00:05,  6.95it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.98it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.98it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.97it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.96it/s]
 30%|███       | 15/50 [00:02<00:05,  6.99it/s]
 32%|███▏      | 16/50 [00:02<00:04,  6.99it/s]
 34%|███▍      | 17/50 [00:02<00:04,  7.01it/s]
 36%|███▌      | 18/50 [00:02<00:04,  7.03it/s]
 38%|███▊      | 19/50 [00:02<00:04,  7.03it/s]
 40%|████      | 20/50 [00:02<00:04,  7.04it/s]
 42%|████▏     | 21/50 [00:03<00:04,  7.01it/s]
 44%|████▍     | 22/50 [00:03<00:03,  7.00it/s]
 46%|████▌     | 23/50 [00:03<00:03,  7.03it/s]
 48%|████▊     | 24/50 [00:03<00:03,  7.05it/s]
 50%|█████     | 25/50 [00:03<00:03,  7.05it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  7.08it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  7.07it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  7.03it/s]
 58%|█████▊    | 29/50 [00:04<00:02,  7.03it/s]
 60%|██████    | 30/50 [00:04<00:02,  7.04it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  7.05it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  7.02it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  7.06it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  7.04it/s]
 70%|███████   | 35/50 [00:04<00:02,  7.04it/s]
 72%|███████▏  | 36/50 [00:05<00:01,  7.04it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  7.04it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  7.06it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  7.07it/s]
 80%|████████  | 40/50 [00:05<00:01,  7.06it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  7.05it/s]
 84%|████████▍ | 42/50 [00:05<00:01,  6.98it/s]
 86%|████████▌ | 43/50 [00:06<00:00,  7.01it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  7.04it/s]
 90%|█████████ | 45/50 [00:06<00:00,  7.04it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  7.04it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  7.07it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  7.08it/s]
 98%|█████████▊| 49/50 [00:06<00:00,  7.04it/s]
100%|██████████| 50/50 [00:07<00:00,  7.02it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.76it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.78it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.77it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.75it/s]
 10%|█         | 5/50 [00:01<00:11,  3.77it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.76it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.76it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.76it/s]
 18%|█▊        | 9/50 [00:02<00:10,  3.76it/s]
 20%|██        | 10/50 [00:02<00:10,  3.76it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.77it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.76it/s]
 26%|██▌       | 13/50 [00:03<00:09,  3.75it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.75it/s]
 30%|███       | 15/50 [00:03<00:09,  3.72it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.72it/s]
 34%|███▍      | 17/50 [00:04<00:08,  3.73it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.74it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.71it/s]
 40%|████      | 20/50 [00:05<00:08,  3.72it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.73it/s]
 44%|████▍     | 22/50 [00:05<00:07,  3.74it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.74it/s]
 48%|████▊     | 24/50 [00:06<00:06,  3.73it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.73it/s]
 52%|█████▏    | 26/50 [00:06<00:06,  3.74it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.76it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.75it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.74it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.74it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.75it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.75it/s]
 66%|██████▌   | 33/50 [00:08<00:04,  3.72it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.72it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.69it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.69it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.70it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.70it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.72it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.71it/s]
 82%|████████▏ | 41/50 [00:10<00:02,  3.72it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.73it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.74it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.73it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.69it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.71it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.72it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  3.71it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.73it/s]
100%|██████████| 50/50 [00:13<00:00,  3.73it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:16,  2.92it/s]
  4%|▍         | 2/50 [00:00<00:16,  2.94it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.90it/s]
  8%|▊         | 4/50 [00:01<00:15,  2.90it/s]
 10%|█         | 5/50 [00:01<00:15,  2.90it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.88it/s]
 14%|█▍        | 7/50 [00:02<00:14,  2.89it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.89it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.89it/s]
 20%|██        | 10/50 [00:03<00:13,  2.89it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.89it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.90it/s]
 26%|██▌       | 13/50 [00:04<00:12,  2.92it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.92it/s]
 30%|███       | 15/50 [00:05<00:11,  2.92it/s]
 32%|███▏      | 16/50 [00:05<00:11,  2.92it/s]
 34%|███▍      | 17/50 [00:05<00:11,  2.92it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.90it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.90it/s]
 40%|████      | 20/50 [00:06<00:10,  2.91it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.89it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.90it/s]
 46%|████▌     | 23/50 [00:07<00:09,  2.90it/s]
 48%|████▊     | 24/50 [00:08<00:08,  2.90it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.89it/s]
 52%|█████▏    | 26/50 [00:08<00:08,  2.90it/s]
 54%|█████▍    | 27/50 [00:09<00:07,  2.90it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.89it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.90it/s]
 60%|██████    | 30/50 [00:10<00:06,  2.90it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.89it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.90it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  2.89it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  2.90it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.91it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.90it/s]
 74%|███████▍  | 37/50 [00:12<00:04,  2.91it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.91it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.91it/s]
 80%|████████  | 40/50 [00:13<00:03,  2.92it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.93it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.92it/s]
 86%|████████▌ | 43/50 [00:14<00:02,  2.92it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.94it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.94it/s]
 92%|█████████▏| 46/50 [00:15<00:01,  2.94it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.94it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.92it/s]
 98%|█████████▊| 49/50 [00:16<00:00,  2.92it/s]
100%|██████████| 50/50 [00:17<00:00,  2.91it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:25,  1.89it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.90it/s]
  6%|▌         | 3/50 [00:01<00:24,  1.91it/s]
  8%|▊         | 4/50 [00:02<00:24,  1.91it/s]
 10%|█         | 5/50 [00:02<00:23,  1.91it/s]
 12%|█▏        | 6/50 [00:03<00:23,  1.91it/s]
 14%|█▍        | 7/50 [00:03<00:22,  1.92it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.91it/s]
 18%|█▊        | 9/50 [00:04<00:21,  1.90it/s]
 20%|██        | 10/50 [00:05<00:20,  1.91it/s]
 22%|██▏       | 11/50 [00:05<00:20,  1.90it/s]
 24%|██▍       | 12/50 [00:06<00:19,  1.90it/s]
 26%|██▌       | 13/50 [00:06<00:19,  1.91it/s]
 28%|██▊       | 14/50 [00:07<00:18,  1.91it/s]
 30%|███       | 15/50 [00:07<00:18,  1.91it/s]
 32%|███▏      | 16/50 [00:08<00:17,  1.91it/s]
 34%|███▍      | 17/50 [00:08<00:17,  1.90it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.88it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.86it/s]
 40%|████      | 20/50 [00:10<00:16,  1.86it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.86it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.87it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.88it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.89it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.89it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.87it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.87it/s]
 56%|█████▌    | 28/50 [00:14<00:11,  1.87it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.88it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.88it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.88it/s]
 64%|██████▍   | 32/50 [00:16<00:09,  1.89it/s]
 66%|██████▌   | 33/50 [00:17<00:08,  1.89it/s]
 68%|██████▊   | 34/50 [00:17<00:08,  1.90it/s]
 70%|███████   | 35/50 [00:18<00:07,  1.90it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.90it/s]
 74%|███████▍  | 37/50 [00:19<00:06,  1.90it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.90it/s]
 78%|███████▊  | 39/50 [00:20<00:05,  1.90it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.89it/s]
 82%|████████▏ | 41/50 [00:21<00:04,  1.90it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.90it/s]
 86%|████████▌ | 43/50 [00:22<00:03,  1.90it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.91it/s]
 90%|█████████ | 45/50 [00:23<00:02,  1.91it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.91it/s]
 94%|█████████▍| 47/50 [00:24<00:01,  1.92it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.90it/s]
 98%|█████████▊| 49/50 [00:25<00:00,  1.91it/s]
100%|██████████| 50/50 [00:26<00:00,  1.89it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.22it/s]
Topic 0 | Coherence=-233567.68 | Top words= to for the back on my this have subscription money will and now in don months be is another few as with come ill due going cut try budget year tight job much losing divorce prices your spending possible trying spend once month high wife but rate through entertainment want fuel other courtesy costs left just bills get rise having using own offset cancel platform each increasses live about payday reduce learning would next getting waste time gas later right news awhile thank wait poland second feet moving less rather happy disappointed sub out return benefits of got may consider currently join im medical reside instead family cutting resume amount future amercian service am nonsense customers people drain stop bye ll fault focused rising far fiance everything finally fees fixed financial financially garbage games first fix fan expected forth fair forever expenses fact flat face extra feel from food frequent extortion expensive forcing free fee hardly gf hosehold increments increasing increases increased increase income improvements if idea husband hungry huge how households household inflation interested into itself keeps keeping keep justify joint jacking its intolerable it issues issue isnt isn iny house horrible girl holder hacked guys greedy greed great grandkids gouging gotten good gonna gone goes go given give hackednot hacking had help history hiking hikes hike higher her health half he havent has even hard hand every youre euro billing biggest biden biased biannually bf between better benefit being begin before been becoming because became barely bank bill billings cell bit caring cared care card cant cannot cancelling canceling can by business buggin broke break boyfriend both blindly away automatically aunt at again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd againlater agree alarming anticonsumer aren are apps aparently anyways anymore any annually all an amounts also already almost allowed allow caused change especially doesnt kidding disgusts disgusting discontinue direction different differences didnt deteriorated delivering declined decisions death deal days day daughter do done changed dont entertaining enough end emails email elsewhere else eliminating el edge easily earlier duplicate drive drastically down double date damn dad customer coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes company compared competitive continuous current currency creep credit covid country cost continues compromised continue continually continously constantly constant consolidating connected kept loyal kids stepdad stay states starting started start squeeze spouses spouse span sorry soon son something someone some so situation stealing stopped lack stopping terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber stupid stranger single since significant signaling seems see secure scaling scales saving save same run rules rule rotating risen ripped ridiculous retiring retired seen selection sense she sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services than thanks that ut whats what were went well weeks week we way was warrant wants wanted waiting vs virtue value when where while wouldn youll you yet years yearly yall ya worth who workable work wont won without willing why vaccine uses thats users town tooo too told today tired tipped times tightening throughout think things thing they these there their tracking tried twice until used use us upward upping upcoming up unneeded two unnecessary unfortunately unfair unemployed understand under unable resubscribe restriction restrict membership new never needed need must multiple moved move more monthly monetary moment mom mistake mind might merge newest nice no ok opportunity opening opened ontario only oneday one often non offered offer off notified nothing not nonesence memberships members options member locations location living little limiting limited limit like life letting let lesser legacy leave layoff last laid lol long longer making means me maybe married market many manservices makes looking make made luck loyalty lower lost loose option or restart prescription rates raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price re
Topic 1 | Coherence=-230780.87 | Top words= to be is back and will of need prices just with can greedy ll saving profit money starting additional profiles when last year after increase break more taking understand begin cared leave wouldn means increases what deal for were hiking continuous enough problem charge being we time about high only month re us if up payment keep change end move cut that laid got this off summer bit am billing sharing too dad broke subscriptions many outside trying play these coming activities piracy monetary might expenses date repurposing due week pay better good health climb come flat rotating layoff declined email loyal business grandkids amount hacked guys amounts greed great gouging hacking gotten an annually gonna gone another hackednot had goes have her help already he having havent also half amercian has hardly hard happy hand going go fees fixed forcing anyways aparently food focused apps fix anymore first financially financial finally fiance few forever forth given anticonsumer give girl gf getting get gas garbage free games any future fuel from frequent almost higher hike isnt jacking itself its it issues issue isn join added iny intolerable into interested adding job joint hikes kids learning absurd later acceptance access lack kidding acct kept keeps keeping account accounts justify instead inflation increments household hungry alarming all huge how households house increasses hosehold allow horrible holder history allowed husband agree againlater again idea afford ill im adicional improvements in income addtional increased addresses addition increasing feet feel but consider continue continually continously constantly constant consolidating connected biannually compromised competitive compared company biased biden continues cost combine current benefits cutting between customers customer currently currency bf creep credit covid courtesy country costs combining college fee cannot blindly care card both cant boyfriend cancelling caused canceling cancel budget buggin bye by caring cell climbing charging biggest city choose choice checking cheaper bill bills charges charged billings changing changes changed damn benefit daughter away even euro especially entertainment entertaining automatically awhile everything emails bank elsewhere else eliminating el every expected day fact fault far fan family fair are aren aunt as at face extra extortion expensive edge easily earlier delivering disappointed direction different differences didnt deteriorated because each becoming decisions death been days before discontinue disgusting disgusts left do doesnt don done dont double became down drain drastically drive barely duplicate divorce youre legacy soon start squeeze spouses spouse spending spend span sorry son less something someone some so situation single since significant started states stay stealing taste talk take system switching support success subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad signaling sign sight secure scaling scales save same run rules rule rising risen rise ripped right ridiculous return retiring retired resume second see sick seems shoves shouldn should short she share shady several settled set servicio services service series sense selection seen temporarily temporary terrible where went well weeks way waste was warrant wants wanted want waiting wait vs virtue value vaccine ut whats while uses who youll you yet years yearly yall ya would worth workable work wont won without willing wife why using users than told tired tipped times tightening tight throughout through think things thing they there their the thats thanks thank today tooo used town use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice try tried tracking resubscribe restriction restrict non nice next news newest new never needed my must multiple much moving moved months monthly moment mom no nonesence mind nonsense opportunity opening opened ontario oneday one once on ok often offset offered offer now notified nothing not mistake merge options losing looking longer long lol locations location living live little limiting limited limit like life letting let lesser loose lost memberships lower membership members member medical me maybe may married market manservices making makes make made luck loyalty your option or restart reactivate rates rate raising raises raised raise quickly quality putting put pushed provider profits pricing price president prescription rather reality preemptively
Topic 2 | Coherence=-239535.15 | Top words= price the and of prices raising greedy increases for your too no keep charges you with terrible sharing are addition pricing has hikes increasing is good many months out up in money hike continues me longer ridiculous have climb services other stop share cost value gotten getting away year constant better passed since benefit added or over newest hand this lack went its selection on times people every quality been subscriptions account tired enough sorry damn after oneday earlier raised member down fees far edge worth pushed paying two respect she service different run members twice customer restriction days town frequent amount legacy short profiles additional jacking continously mom stupid starting go emails same deal justify waste had double please payment ya became girl owner reality anymore kidding constantly raise parent owning barely time profits problem person covid rather got broke monthly span absurd should vs these biggest users lol first using reflect want replace an fuel choice pop spending how everything iny family husband isn hungry fan huge households fact household fault fee house hosehold feel even euro fair into extortion expected extra interested instead inflation increments increasses increased face increase income improvements holder intolerable expensive im expenses ill if idea horrible hiking feet especially half hacking hackednot hacked guys greed great grandkids from gouging gonna forth future games garbage gas gone get going gf goes given free forever few health history give higher high her fiance finally help financial financially fix happy he fixed flat focused having havent hardly food hard forcing youre didnt entertainment bf bills billings billing bill biden biased biannually between back benefits being begin before becoming because be bit blindly both boyfriend care card cant cannot cancelling canceling cancel can bye by but business buggin budget break bank awhile entertaining addtional all alarming agree againlater again afford adicional addresses automatically adding activities acct accounts access acceptance about allow allowed almost already aunt at as aren apps aparently anyways any anticonsumer another annually amounts amercian am also cared caring caused deteriorated disgusts disgusting discontinue disappointed direction differences issue delivering cell declined decisions death day daughter date dad divorce do doesnt don end email elsewhere else eliminating el easily each duplicate due drive drastically drain dont done cutting cut customers coming combining combine college climbing city choose checking cheaper charging charged charge changing changes changed change come company currently compared current currency creep credit courtesy country costs continuous continue continually consolidating consider connected compromised competitive isnt loyal issues soon states started start squeeze spouses spouse spend son stealing something someone some so situation single significant stay stepdad rent support temporarily taste talk taking take system switching summer stopped success subscription subscribers subscriber sub stranger stopping signaling sign sight return rule rotating rising risen rise ripped right retiring sick retired resume resubscribe restrict restart residence reside rules save saving scales shoves shouldn shady several settled set servicio series sense seen seems see secure second scaling temporary than thank we when whats what were well weeks week way ut was warrant wants wanted waiting wait virtue where while who why youll yet years yearly yall wouldn would workable work wont won without willing will wife vaccine uses thanks through told today to tipped tightening tight throughout think used things thing they there their thats that tooo tracking tried try use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable trying repurposing renewing it maybe mind might merge memberships membership medical means may moment married market manservices making makes make made mistake monetary remarried need non nice next news new never needed my month must multiple much moving moved move more luck loyalty lower kids left leave learning layoff later last laid kept lost keeps keeping just joint join job itself less lesser let letting losing loose looking long locations location ll living live little limiting limited limit like life nonesence nonsense not por profit president prescription prefer preemptively power possible popular playing politically political policy policies poland
Topic 3 | Coherence=-226538.30 | Top words= to pay but my have you price bill is it for subscription that not charge company youre just extortion disgusting are its taste different so do because was after greedy subscriptions extra about an ill card family sharing without compromised charged charging automatically told allowed option bank credit wanted guys people want will hikes services stop they future expected profiles something issues from why good think rejoin needed can declined once forth cheaper few moving temporarily also get settled currency euro past in fan with later cancelling caring one day yearly scaling down newest keep prefer waiting until notified hand value has understand being who tired begin rotating expensive fix fact flat goes finally fixed going face gone added financially gonna go expenses adding financial got gotten first acct food focused given fault fee games garbage fuel fiance gas feel frequent fair fees free getting gouging feet forever gf forcing girl give activities far having grandkids absurd issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases increased increase acceptance itself improvements jacking leave learning layoff last laid lack kids kidding kept keeps keeping justify joint join job income im great her health he every havent account accounts hardly hard happy half had hacking hackednot hacked greed help high if higher idea husband hungry huge how households household house hosehold horrible holder history hiking access hike everything afford even bit buggin budget broke break boyfriend both blindly bills between billings billing adicional biggest biden biased biannually business addtional by bye checking charges addresses changing changes changed change cell caused cared care cant cannot canceling cancel bf better choose am anticonsumer another annually and amounts amount amercian already benefits almost allow all alarming agree againlater again any anymore anyways aparently benefit before been becoming became be barely back awhile away aunt at as aren apps choice city especially addition double dont done don doesnt divorce disgusts discontinue death disappointed direction legacy differences didnt deteriorated delivering drain drastically drive due entertainment entertaining enough end emails email elsewhere else eliminating el edge easily earlier each duplicate decisions deal climb competitive continually continously constantly constant consolidating consider connected compared days additional coming come combining combine college climbing continue continues continuous cost daughter date damn dad cutting cut customers customer currently current creep covid courtesy country costs left loyal less someone spouses spouse spending spend span sorry soon son some repurposing situation single since significant signaling sign sight sick squeeze start started starting take system switching support summer success subscribers subscriber sub stupid stranger stopping stopped stepdad stealing stay states shoves shouldn should run rule rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence rules same short save she share shady several set servicio service series sense selection seen seems see secure second scales saving taking talk temporary what went well weeks week we way waste warrant wants wait vs virtue vaccine ut using uses users were whats use when youll yet years year yall ya wouldn would worth workable work wont won willing wife while where used us terrible today times time tightening tight throughout through this things thing these there their the thats thanks thank than tipped too upward tooo upping upcoming up unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking town reside replace lesser months never need must multiple much moved move more monthly rent month money monetary moment mom mistake mind might new news next nice ontario only oneday on ok often offset offered offer off of now nothing nonsense nonesence non no merge memberships membership losing looking longer long lol locations location ll living live little limiting limited limit like life letting let loose lost members lower member medical means me maybe may married market many manservices making makes make made luck loyalty your opened opening opportunity raises raise quickly quality putting put pushed provider profits profit problem pricing prices president prescription preemptively power possible raised raising popular
Topic 4 | Coherence=-242260.11 | Top words= you and for charge the it my to extra re no that in me when worth your not going college sign just daughter she sharing subscription ut anyways thank months family will with if more was raising time pay kids can im last many as use by hike have increase since support about won like this an city gone greedy another member unfair span live intolerable longer being drastically see selection parents moved deteriorated fault fair taste amount opportunity times at got started profits using even what allow every how charges kidding customers opened mistake justify duplicate out anymore break cutting way cant take high never again people expenses phone much loyal unnecessary waste were workable repurposing any gonna good anticonsumer hacked gouging grandkids aparently great greed annually guys apps gotten but hackednot hardly he having havent am has amercian hard goes happy amounts hand half had hacking are go health flat forcing automatically away food focused awhile fixed given fix first financially financial finally fiance forever forth aunt free frequent from fuel future games garbage gas get getting aren gf girl give also already help added activities issue isnt isn is iny into feet interested instead inflation increments adding increasses issues acct its itself accounts jacking job join joint account access keep keeping keeps kept acceptance absurd increasing increases increased household her almost higher allowed all alarming agree hikes hiking history holder horrible hosehold house households addition againlater huge hungry after husband idea afford adicional ill addtional improvements addresses additional income few fees bye bill continously constantly constant consolidating consider biggest connected continue compromised competitive compared company coming billing continually continues feel credit biannually customer currently current currency creep covid continuous courtesy biased country costs biden cost come combining billings card change cell caused caring cared care budget combine cannot cancelling canceling cancel buggin business changed broke changes changing boyfriend charged both charging blindly cheaper checking choice choose bit climb climbing bills cut bf dad emails especially entertainment been entertaining enough end email earlier elsewhere else eliminating el before edge euro becoming because everything expected became expensive extortion be face fact barely bank fan far back fee easily begin damn declined direction lack differences didnt better delivering decisions each death deal days day between date disappointed discontinue disgusting disgusts divorce do doesnt don done dont double down drain benefits drive due benefit different youre laid spouses spending spend sorry soon son something someone some so situation single significant signaling sight sick shoves shouldn spouse squeeze replace start switching summer success subscriptions subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting should short share shady rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence rule rules run sense several settled set servicio services service series seen same seems secure second scaling scales saving save system taking talk upward well weeks week we warrant wants wanted want waiting wait vs virtue value vaccine uses users used went whats where wouldn youll yet years yearly year yall ya would while work wont without willing wife why who us upping temporarily upcoming tipped tightening tight throughout through think things thing they these there their thats thanks than terrible temporary tired today told unable up until unneeded unfortunately unemployed understand under two too twice trying try tried tracking town tooo reside rent later next newest new needed need must multiple moving move monthly month money monetary moment mom mind might merge news nice renewing non only oneday one once on ok often offset offered offer off of now notified nothing nonsense nonesence memberships membership members medical location ll living little limiting limited limit life letting let lesser less legacy left leave learning layoff locations lol long makes means maybe may married market manservices making make looking made luck loyalty lower lost losing loose ontario opening option por quickly quality putting put pushed provider profit profiles problem pricing prices price president prescription prefer preemptively power raise
Topic 5 | Coherence=-239199.55 | Top words= in price is and good subscriptions uses going bye you my your with keeps we up it too extra has anyways one thank ut she much charge re daughter sign this college am of other are long moved benefits been have changing two cost the when nonsense got consolidating fixed married house need income selection to on so goes finally tipped continually scales multiple direction just significant fiance only dont boyfriend worth gone sick lol getting being someone after get everything way before increased moving rising users cannot like now membership off greed me risen non needed quickly had deteriorated retired ripped stopped annually drastically billings our households climbing merge fee increase set increasing hiking as tooo free household pick service what increases forcing especially future forever games joint for garbage gas from forth frequent fuel euro food far every expected expenses kidding kept expensive extortion keeping face fact fair family fan fault focused feel fees feet few join keep financial financially even first fix justify flat hungry issue gf higher hardly instead inflation havent having he health increments increasses help her high hike hard hikes history holder horrible hosehold improvements im ill if idea husband how entertaining happy girl isn give given go job jacking itself its issues gonna huge isnt gotten gouging hand grandkids great iny greedy intolerable guys hacked hackednot hacking into interested half entertainment youre enough billing biggest biden biased biannually bf between better benefit begin becoming because became be barely bank back awhile bill bills caused bit cared care card cant cancelling canceling cancel can by but business buggin budget broke break both blindly away automatically aunt at again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater agree alarming an aren apps aparently anymore any anticonsumer another amounts all amount amercian also already almost allowed allow caring cell end do disgusts disgusting discontinue disappointed lack different differences didnt delivering declined decisions death deal days day date damn divorce doesnt change don emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drain down double done dad cutting cut customers compared company coming come combining combine climb city choose choice checking cheaper charging charges charged changes changed competitive compromised connected courtesy customer currently current currency creep credit covid country consider costs continuous continues continue continously constantly constant kids loyal laid stepdad stay states starting started start squeeze spouses spouse spending spend span sorry soon son something some situation stealing stop reside stopping temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub stupid stranger single since signaling sight save same run rules rule rotating rise right ridiculous return retiring resume resubscribe restriction restrict restart respect saving scaling second several shoves shouldn should short sharing share shady settled secure servicio services series sense seen seems see terrible than thanks vaccine where whats were went well weeks week waste was warrant wants wanted want waiting wait vs virtue while who why wouldn youll yet years yearly year yall ya would wife workable work wont won without willing will value using that used told today tired times time tightening tight throughout through think things thing they these there their thats town tracking tried unnecessary use us upward upping upcoming until unneeded unfortunately try unfair unemployed understand under unable twice trying residence repurposing last next newest new never must move more months monthly month money monetary moment mom mistake mind might memberships news nice replace no options option opportunity opening opened ontario oneday once ok often offset offered offer notified nothing not nonesence members member medical means living live little limiting limited limit life letting let lesser less legacy left leave learning layoff later ll location locations make maybe may market many manservices making makes made longer luck loyalty lower lost losing loose looking or original others power raises raised raise quality putting put pushed provider profits profit profiles problem pricing prices president prescription prefer raising
Topic 6 | Coherence=-229814.89 | Top words= and my to in me you price will subscription different be on new greed the keep cancel fee from is two more live with service are want use money won since getting business mom membership loose years elsewhere because that restrict raising places constantly provider been increasing through both addresses able yall havent phone stealing sharing subscriber take youre company delivering point little am get who prices continually while son value hacked moved using combining accounts over married boyfriend life your locations connected cheaper wants go free restart under taking disgusts gf where climb cell amercian rising email else give replace declined opened redo re aren paying financially moment leave week financial until first fix fixed flat fiance focused food for forcing forever forth frequent wife finally family few euro entertainment entertaining enough end emails without eliminating el edge easily earlier each duplicate due drive especially even feet every fees feel willing fault far fan fair fact face extra extortion expensive expenses expected everything fuel going future husband increase income improvements im ill if idea hungry increases huge how households household house hosehold horrible increased when games isn jacking itself its it issues issue isnt whats increasses iny intolerable into interested instead inflation increments holder history hiking gonna greedy great grandkids gouging gotten got good gone hikes drain goes given girl why gas garbage guys hackednot hacking had hike higher high her help health he having have has hardly hard happy hand half drastically direction down year being begin before wouldn becoming ya became barely benefits bank back awhile away automatically aunt at benefit better yearly bills buggin budget broke break would blindly bit billings between billing bill biggest biden biased biannually bf as apps but adding after afford adicional addtional youll additional addition added againlater activities acct account access acceptance absurd about again agree aparently an anyways anymore any anticonsumer another annually yet amounts alarming amount also already almost allowed allow all worth by double currently date damn dad cutting cut customers customer current day currency creep credit covid courtesy country costs daughter days continuous discontinue dont done don doesnt do divorce disgusting disappointed deal join wont differences didnt deteriorated decisions death cost continues bye cared charge changing changes changed change caused caring care charges card cant cannot cancelling canceling workable can charged charging continue compared continously work constant consolidating consider compromised competitive coming checking come combine college climbing city choose choice job later joint second series sense selection seen seems see secure scaling servicio scales saving save same run rules rule services set risen shoves single ut significant signaling sign sight sick shouldn settled should short she vaccine share shady several rotating rise so reactivate rectifying recession recently recent reason really reality rather reducing rates rate vs raises raised raise quickly reduce reflect ripped restriction right ridiculous return retiring retired resume resubscribe virtue rejoin respect residence reside repurposing rent renewing remarried situation some putting think times time tightening tight throughout upping this things tired thing they these there their upward thats tipped upcoming thanks twice unnecessary unfortunately unfair unemployed understand unable up trying today try tried tracking town tooo too told us thank someone squeeze stop stepdad stay states starting started start spouses stopping spouse spending spend span sorry soon something stopped stranger than switching terrible temporary temporarily taste talk used system support stupid summer success subscriptions users subscribers uses sub quality put just medical mind might merge memberships weeks members member means monetary well maybe may market many manservices making mistake we make waste next news newest was never needed need must month multiple much moving move way months monthly makes made no laid less legacy left learning layoff unneeded last lack let kids kidding kept keeps keeping what justify lesser letting luck long loyalty lower lost losing went looking longer lol like location ll living were limiting limited limit nice non pushed platform poland pls pleased please playing play platforms wanted policy piracy pick personal person per people payment
Topic 7 | Coherence=-237010.43 | Top words= and like need rates only it dont keep you increasing your time long the to for at customer no subscriber will is we loyalty feel alarming there anymore prices are my tried shady offer going subscription almost don fact cancel once pay used raised want one also than do that price married thing same cant who others higher change husband good has inflation so memberships two afford got wife caused thanks an using by biden have president stepdad workable put country her system subscriptions some rising financially upping rectifying recently forth hard new forever households aparently more own being changing why adding signaling combine remarried email virtue political reactivate makes in costs second buggin gas food spouses issue recession fair been again really never card different redo wouldn entertaining euro frequent every even fixed flat enough focused free especially itself forcing entertainment everything from join expected keeping joint family just job fuel fan far fault fee face extra extortion justify fees expensive feet few expenses fiance finally first fix jacking financial income future holder havent having interested he instead health help increments high increasses hike hikes hiking history horrible games hosehold house household how increases increased huge hungry idea if ill im increase improvements hardly into happy intolerable garbage get getting gf girl its give issues given isnt go goes gone gonna gotten gouging grandkids great greed greedy guys hacked hackednot hacking had half isn iny hand youre direction end better billing bill biggest biased biannually bf between benefits bills benefit begin before becoming because became be billings bit bank can cell caring cared care cannot cancelling canceling bye blindly but business budget broke break boyfriend both barely back emails added againlater after adicional addtional addresses additional addition activities all acct accounts account access acceptance absurd about agree allow awhile any away automatically aunt as aren apps anyways anticonsumer allowed another annually amounts amount amercian am already changed changes charge declined discontinue disappointed kept differences didnt deteriorated delivering decisions disgusts death deal days day daughter date damn disgusting divorce charged each elsewhere else eliminating el edge easily earlier duplicate doesnt due drive drastically drain down double done dad cutting cut climbing competitive compared company coming come combining college climb customers city choose choice checking cheaper charging charges compromised connected consider consolidating currently current currency creep credit covid courtesy cost continuous continues continue continually continously constantly constant keeps loyal kidding should spouse spending spend span sorry soon son something someone situation single since significant sign sight sick shoves squeeze start started sub taking take switching support summer success subscribers stupid starting stranger stopping stopped stop stealing stay states shouldn short taste she rules rule rotating risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart respect run save saving service sharing share several settled set servicio services series scales sense selection seen seems see secure scaling talk temporarily kids users were went well weeks week way waste was warrant wants wanted waiting wait vs value vaccine ut what whats when would youll yet years yearly year yall ya worth where work wont won without with willing while uses use temporary us today tired tipped times tightening tight throughout through this think things they these their thats thank terrible told too tooo unfair upward upcoming up until unneeded unnecessary unfortunately unemployed town understand under unable twice trying try tracking residence reside repurposing me moved move months monthly month money monetary moment mom mistake mind might merge membership members member medical moving much multiple not offset offered off of now notified nothing nonsense must nonesence non nice next news newest needed means maybe replace may limiting limited limit life letting let lesser less legacy left leave learning layoff later last laid lack little live living lower market many manservices making make made luck lost ll losing loose looking longer lol locations location often ok on oneday profits profit profiles problem pricing prescription prefer preemptively power possible por popular pop politically policy policies poland
Topic 8 | Coherence=-235462.57 | Top words= other prices it better using reason gonna kept out cheaper youre now keep for only im people raising so services if are that was your charge charging and the extra subscription this just to you of at need expenses before again time not cut take afford paying start care first things but can company anymore month almost increased rent hike per reducing work willing am subscribers with games playing laid off preemptively tired canceling rate costs apps way next got moment no looking spending retiring interested monthly temporary unneeded think must bills far eliminating stupid means rising gouging changing forcing getting gf girl free get forever forth frequent gas garbage future keeping fuel keeps from kidding finally food every face lack extortion expensive expected everything even fact last euro especially entertainment entertaining enough kids fair focused fiance flat fixed fix financially financial given few family feet fees feel fee fault fan give inflation go is households household house hosehold horrible holder history help hiking isn hikes higher isnt high how iny huge hungry husband idea ill intolerable improvements in income increase into increases instead increasing increasses her health goes grandkids increments guys greedy job greed great gotten issue join good joint gone going justify hackednot hacking had half jacking hand happy itself its hard hardly issues has have havent having he hacked divorce end billings bill biggest biden biased biannually bf between benefits benefit being begin been becoming because became be barely billing bit back blindly caused caring cared card cant cannot cancelling cancel bye by business buggin budget broke break boyfriend both bank awhile emails alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all away allow automatically aunt as aren aparently anyways any anticonsumer another annually an amounts amount amercian also already allowed cell change changed do disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter layoff doesnt changes don email elsewhere else el edge easily earlier each duplicate due drive drastically drain down double dont done date damn dad cutting connected compromised competitive compared coming come combining combine college climbing climb city choose choice checking charges charged consider consolidating constant covid customers customer currently current currency creep credit courtesy constantly country cost continuous continues continue continually continously later loyal learning stay starting started squeeze spouses spouse spend span sorry soon son something someone some situation single since significant states stealing sign stepdad terrible temporarily taste talk taking system switching support summer success subscriptions subscriber sub stranger stopping stopped stop signaling sight thank secure scaling scales saving save same run rules rule rotating risen rise ripped right ridiculous return retired resume second see sick seems shoves shouldn should short she sharing share shady several settled set servicio service series sense selection seen than thanks leave where whats what were went well weeks week we waste warrant wants wanted want waiting wait vs virtue when while vaccine who youll yet years yearly year yall ya wouldn would worth workable wont won without will wife why value ut thats try tracking town tooo too told today tipped times tightening tight throughout through thing they these there their tried trying uses twice users used use us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand under unable two resubscribe restriction restrict newest never needed my multiple much moving moved move more months money monetary mom mistake mind might merge new news membership nice opening opened ontario oneday one once on ok often offset offered offer notified nothing nonsense nonesence non memberships members restart long locations location ll living live little limiting limited limit like life letting let lesser less legacy left lol longer member loose medical me maybe may married market many manservices making makes make made luck loyalty lower lost losing opportunity option options rather raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price president prescription rates re
Topic 9 | Coherence=-243877.96 | Top words= too for expensive is it worth me not prices now going much the and to keep many service life no more you up new subscription your keeping iny price lost nice face shoves especially forcing be pop choice added so have make subscriber unfortunately upward currently just increase keeps with anymore increasing but subscriptions uses don charging fees money was use already charges what getting everything sharing better services rules isnt hardly its offered else never should given times hacked hikes half vs way thanks rule stupid later others amount high charged longer maybe offer options lesser itself hard right raising fix nonsense owner cost whats cant overpriced easily increases raised started secure passed prescription hackednot away became rates isn increased greed must first save legacy has fair food frequent fixed flat financially intolerable issue forth focused free forever fault financial jacking entertaining entertainment justify euro even every joint expected join job expenses extortion finally extra fact family fan far fee feel issues feet few fiance from holder fuel havent had im ill if end hand idea husband happy hungry huge how having improvements households household he health help house her higher hosehold hike horrible hiking hacking in future give into interested games garbage gas instead get inflation history gf increments girl go income goes increasses gone gonna good got gotten gouging grandkids great greedy guys enough youre emails being biggest biden biased biannually bf between benefits benefit begin cared before been becoming because barely bank back awhile bill billing billings bills card cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit automatically aunt at agree again after afford adicional addtional addresses additional addition adding activities acct accounts account access acceptance absurd about againlater alarming as all aren are apps aparently anyways any anticonsumer another annually an amounts amercian am also almost allowed allow care caring email decisions disappointed direction different differences didnt deteriorated delivering declined death caused deal days day daughter date damn dad cutting kept disgusting disgusts divorce elsewhere eliminating el edge earlier each duplicate due drive drastically drain down double dont done doesnt do cut customers customer compared coming come combining combine college climbing climb city choose checking cheaper charge changing changes changed change cell company competitive current compromised currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected discontinue loyal kidding since stay states starting start squeeze spouses spouse spending spend span sorry soon son something someone some situation stealing stepdad stop system terrible temporary temporarily taste talk taking take switching stopped support summer success subscribers sub stranger stopping single significant thank signaling scales saving same run rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction restrict scaling second see shady sign sight sick shouldn short she share several seems settled set servicio series sense selection seen than that kids ut where when were went well weeks week we waste warrant wants wanted want waiting wait virtue value while who why wouldn youll yet years yearly year yall ya would wife workable work wont won without willing will vaccine using thats users told today tired tipped time tightening tight throughout through this think things thing they these there their tooo town tracking unfair used us upping upcoming until unneeded unnecessary unemployed tried understand under unable two twice trying try restart respect residence membership needed need my multiple moving moved move months monthly month monetary moment mom mistake mind might merge newest news next on opening opened ontario only oneday one once ok non often offset off of notified nothing nonesence memberships members reside member living live little limiting limited limit like letting let less left leave learning layoff last laid lack ll location locations makes medical means may married market manservices making made lol luck loyalty lower losing loose looking long opportunity option or original rate raises raise quickly quality putting put pushed provider profits profit profiles problem pricing president prefer preemptively
Topic 10 | Coherence=-237501.80 | Top words= to and money you prices the anymore price not as dont it up have new raising enough save need keep use other are stop just us services customer go will raised guys much fees make some business more this resubscribe doesnt back well making decisions sense continue rules upcoming squeeze increases budget yet put that youll letting again customers addtional at time trying moved start into even benefit me when people do try ill return financial issues out success tightening else againlater made adding really ridiculous raise there unemployed fault needed rising be of nothing putting been having system history focused right users raises aren throughout worth soon something get rotating currently hungry platforms prefer or every ll euro long hacking extra fact fair family help fan far health fee isnt feel isn is feet few household iny he households fiance finally intolerable havent how financially interested face extortion instead expensive justify joint emails end join horrible hosehold job hiking jacking hikes itself entertaining entertainment especially house hike higher high everything its expected expenses her issue first inflation hackednot girl given increase goes going income gone hand gonna half good got idea gotten gouging email in improvements im grandkids great greed greedy if had hacked give gf increments getting has fix fixed flat huge food for forcing increasses forever forth hardly free increasing increased frequent from hard fuel happy future games garbage gas husband holder youre elsewhere bank billings billing bill biggest biden biased biannually bf between better benefits being begin before becoming because became bills bit blindly cancel cared care card cant cannot cancelling canceling can both bye by but buggin broke break boyfriend barely awhile eliminating away alarming agree after afford adicional addresses additional addition added activities acct accounts account access acceptance absurd about all allow allowed another automatically aunt apps aparently anyways any anticonsumer annually almost an amounts amount amercian am also already caring caused cell change different differences didnt keeping delivering declined death deal days day daughter date damn dad cutting cut current direction disappointed discontinue drive el edge easily earlier each duplicate due drastically disgusting drain down double done don divorce disgusts currency creep credit checking combine college climbing climb city choose choice cheaper come charging charges charged charge changing changes changed combining coming covid continously courtesy country costs cost continuous continues continually constantly company constant consolidating consider connected compromised competitive compared deteriorated loyal keeps shoves started spouses spouse spending spend span sorry son someone so situation single since significant signaling sign sight starting states stay subscription talk taking take switching support summer subscriptions subscribers stealing subscriber sub stupid stranger stopping stopped stepdad sick shouldn renewing should same run rule risen rise ripped retiring retired resume restriction restrict restart respect residence reside repurposing replace saving scales scaling set short she sharing share shady several settled servicio second service series selection seen seems see secure taste temporarily temporary terrible what were went weeks week we way waste was warrant wants wanted want waiting wait vs virtue whats where while workable years yearly year yall ya wouldn would work who wont won without with willing wife why value vaccine ut things today tired tipped times tight through think thing too they these their thats thanks thank than told tooo using unfortunately uses used upward upping until unneeded unnecessary unfair town understand under unable two twice tried tracking rent remarried kept may move months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means moving multiple must nonsense often offset offered offer off now notified nonesence my non no nice next news newest never maybe married rejoin market limit like life let lesser less legacy left leave learning layoff later last laid lack kids kidding limited limiting little lost many manservices makes luck loyalty your lower losing live loose looking longer lol locations location living ok on once one profit profiles problem pricing president prescription preemptively power possible por popular pop politically political policy policies poland
Topic 11 | Coherence=-228181.58 | Top words= price service increase and to customer bye sharing your garbage even with customers do rate the care paying no limited recent talk of expensive so for done more why my subscription continues about unable date you switching keep less lost creep when help all rise prices stopping others compared horrible blindly sight billing will at change quality resume end in should these constant due damn is mind thats changing bank hike am need weeks discontinue yall job several what adicional vaccine pagos el reflect continue por servicio spending payment profiles loyal subscriptions acceptance happy extra from changes caring duplicate given give go gouging alarming going gone girl gonna good got gotten gf goes grandkids get great havent have has hardly agree hard hand half had hacking hackednot hacked guys greedy greed getting games allow fees financially financial finally fiance few feet feel fix fee fault far amercian fan family first fixed gas frequent allowed he future fuel almost already free flat forth forever forcing also food focused having againlater health fact itself its accounts it acct issues issue isnt isn activities iny intolerable into interested instead jacking account join kids absurd layoff later last laid lack kidding joint kept keeps keeping access justify just inflation increments increasses afford house hosehold addresses holder history addtional hiking additional hikes after higher high her again household households increasing im increases increased added income adding improvements addition how ill if idea husband hungry huge fair broke face be consolidating consider connected better compromised competitive between company coming come combining combine bf college climbing benefits constantly continously costs credit because covid courtesy becoming country been benefit cost continuous before begin being continually climb city choose bit bills cannot cancelling canceling cancel can by card but both boyfriend business buggin break cant billings choice biannually checking cheaper charging charges charged charge biased bill changed biden cell biggest caused cared became currency budget current emails email elsewhere else eliminating anyways edge aparently easily earlier each apps drive are drastically anymore any enough expected amount amounts extortion an annually expenses everything entertaining every another euro anticonsumer especially entertainment drain down double away decisions death deal days day daughter awhile delivering dad cutting cut back barely currently declined automatically dont disgusting aren don doesnt as divorce disgusts leave deteriorated aunt disappointed direction different differences didnt learning youre left spend stay states starting started start squeeze spouses spouse span legacy sorry soon son something someone some situation single stealing stepdad stop stopped thank than terrible temporary temporarily taste taking take system support summer success subscribers subscriber sub stupid stranger since significant signaling scales save same run rules rule rotating rising risen ripped right ridiculous return retiring retired resubscribe restriction restrict saving scaling sign second sick shoves shouldn short she share shady settled set services series sense selection seen seems see secure thanks that their whats went well week we way waste was warrant wants wanted want waiting wait vs virtue value ut were where uses while youll yet years yearly year ya wouldn would worth workable work wont won without willing wife who using users there tracking tooo too told today tired tipped times time tightening tight throughout through this think things thing they town tried used try use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice trying restart respect residence next newest new never needed must multiple much moving moved move months monthly month money monetary moment mom news nice might non only oneday one once on ok often offset offered offer off now notified nothing not nonsense nonesence mistake merge opened losing looking longer long lol locations location ll living live little limiting limit like life letting let lesser loose lower memberships loyalty membership members member medical means me maybe may married market many manservices making makes make made luck ontario opening reside raising raised raise quickly putting put pushed provider profits profit problem pricing president prescription prefer preemptively power possible raises rates pop
Topic 12 | Coherence=-244213.82 | Top words= price the to and is increase not be your subscription will where increases my pay too we for have different many use access change of ridiculous worth anticonsumer raised enough upcoming locations checking are high you luck why am currently increments canceling people willing want how fee used way with me using don country in tracking their do they acceptance has something long location lack reality moved continues currency agree support options while was current that renewing changed limiting household down great from market drive shouldn afford manservices competitive paying pick policy cost living changes going think quality often becoming only warrant happy budget daughter as need absurd really drain last choose single higher billing continuous gouging original another saving ontario hardly biggest barely isn opening sign im annually extra games garbage gf gas expenses extortion get girl getting expensive fiance future flat few feet fees finally feel financial financially first give fix fault fixed focused fuel food far fan family forcing forever fair forth fact free frequent face joint hard given instead huge hungry husband idea if ill improvements income keeps increased increasing keeping increasses inflation interested go into keep intolerable iny justify isnt issue issues it its itself just jacking job households house hosehold horrible goes gone gonna good got gotten grandkids greed greedy guys hacked hackednot hacking had half hand join havent having expected he health help her hike hikes hiking history holder youre disgusting everything between bills billings bill biden biased biannually bf better blindly benefits benefit being begin before been because bit both bank cancel caring cared care card cant cannot cancelling can boyfriend bye by but business buggin broke break became back every additional alarming againlater again after adicional addtional addresses addition allow adding added activities acct accounts account about all allowed awhile anyways away automatically aunt at aren apps aparently anymore almost any an amounts amount amercian also already caused cell changing disappointed dont done doesnt divorce disgusts kidding discontinue direction drastically differences didnt deteriorated delivering declined decisions death double due charge email even euro especially entertainment entertaining end emails elsewhere duplicate else eliminating el edge easily earlier each deal days day college compromised compared company coming come combining combine climbing date climb city choice cheaper charging charges charged connected consider consolidating constant damn dad cutting cut customers customer creep credit covid courtesy costs continue continually continously constantly kept loyal kids shoves squeeze spouses spouse spending spend span sorry soon son someone some so situation since significant signaling sight start started starting sub system switching summer success subscriptions subscribers subscriber stupid states stranger stopping stopped stop stepdad stealing stay sick should taking short save same run rules rule rotating rising risen rise ripped right return retiring retired resume resubscribe restriction scales scaling second servicio she sharing share shady several settled set services secure service series sense selection seen seems see take talk restart upping went well weeks week waste wants wanted waiting wait vs virtue value vaccine ut uses users us were what whats wouldn youll yet years yearly year yall ya would when workable work wont won without wife who upward up taste until time tightening tight throughout through this things thing these there thats thanks thank than terrible temporary temporarily times tipped tired unable unneeded unnecessary unfortunately unfair unemployed understand under two today twice trying try tried town tooo told restrict respect laid might new never needed must multiple much moving move more months monthly month money monetary moment mom mistake newest news next offer oneday one once on ok offset offered off nice now notified nothing nonsense nonesence non no mind merge opportunity memberships ll live little limited limit like life letting let lesser less legacy left leave learning layoff later lol longer looking married membership members member medical means maybe may making loose makes make made loyalty lower lost losing opened option residence power raising raises raise quickly putting put pushed provider profits profit profiles problem pricing prices president prescription prefer rate
Topic 13 | Coherence=-231844.27 | Top words= it price are you not me the this good that increase afford bye or now only consider prices fact can if when again raising come give issue makes year never back made email reactivate but forever my every rectifying already months activities seems kids between into choose expensive other putting right nothing really cant ok one have added any is pay like month share cancel because job differences improvements what without didnt lost let want your way longer first cannot profit pls seen politically lower us biased damn husband twice greedy card today dont upcoming keeps gas girl gf getting for given get frequent garbage from games future kept fuel forth food free forcing intolerable focused far learning everything expected expenses layoff later extortion last extra face laid fair family fan fault flat fee feel lack fees feet few kidding fiance finally financial financially goes fix fixed go justify going idea hikes hiking history holder horrible hosehold its house household issues households how huge hungry isnt hike isn ill im in income increased increases increasing increasses iny increments inflation instead interested itself higher gone hacking gonna keeping got gotten gouging grandkids great keep greed guys hacked just joint hackednot had high half hand happy hard hardly has havent having he health help join her jacking youre drain even benefits billings billing bill biggest biden biannually bf better benefit awhile being begin before been becoming became be barely bills bit blindly both changes changed change cell caused caring cared care cancelling canceling by business buggin budget broke break boyfriend bank away euro additional all alarming agree againlater after adicional addtional addresses addition automatically adding acct accounts account access acceptance absurd about allow allowed almost also aunt at as aren apps aparently anyways anymore anticonsumer another annually and an amounts amount amercian am changing charge charged disappointed done don doesnt do divorce disgusts disgusting discontinue direction charges different deteriorated delivering declined decisions death deal days double down left drastically especially entertainment entertaining enough end emails elsewhere else eliminating el edge easily earlier each duplicate due drive day daughter date constantly consolidating connected compromised competitive compared company coming combining combine college climbing climb city choice checking cheaper charging constant continously dad continually cutting cut customers customer currently current currency creep credit covid courtesy country costs cost continuous continues continue leave loyal legacy started stopping stopped stop stepdad stealing stay states starting start less squeeze spouses spouse spending spend span sorry soon stranger stupid sub subscriber thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers son something someone servicio service series sense selection see secure second scaling scales saving save same run rules rule rotating rising services set some settled so situation single since significant signaling sign sight sick shoves shouldn should short she sharing shady several thanks thats their while whats were went well weeks week we waste was warrant wants wanted waiting wait vs virtue value where who ut why youll yet years yearly yall ya wouldn would worth workable work wont won with willing will wife vaccine using there tracking tooo too told to tired tipped times time tightening tight throughout through think things thing they these town tried uses try users used use upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying risen rise ripped notified nonesence non no nice next news newest new needed need must multiple much moving moved move more nonsense of money off out our others original options option opportunity opening opened ontario oneday once on often offset offered offer monthly monetary over luck losing loose looking long lol locations location ll living live little limiting limited limit life letting lesser loyalty make moment making mom mistake mind might merge memberships membership members member medical means maybe may married market many manservices outside overpriced ridiculous reduce recession recently recent reason reality re rather rates rate raises raised raise quickly quality put pushed provider redo reducing profiles
Topic 14 | Coherence=-235441.45 | Top words= extra you share of the money charging and my with subscription greedy to many your subscriptions because family hikes about not that using bill increase don also like when outside fan past way years paying few want over idea power states limit news me out cant stay grandkids newest without hike an keep between extortion anymore disgusting issues hosehold support personal users account moving country even letting holder wont caused nonesence death unable thank cared disgusts dont reflect declined married unnecessary acceptance getting gf fact gotten girl give entertainment given go goes going great gone gonna gouging good got face frequent get especially first financially financial finally fiance feet expected fees expenses expensive feel fee fault far fair fix fixed everything from euro gas garbage games future fuel every flat forth forever forcing for food focused free her greed job itself its it issue isnt isn is iny intolerable into interested instead inflation increments increasses jacking join increases joint left leave learning layoff later last laid lack kids kidding kept keeps keeping justify just increasing increased guys enough health he having havent have has hardly hard happy hand half had hacking hackednot hacked help high income higher in improvements im ill if husband hungry huge how households household house horrible history hiking entertaining youre end benefit billing biggest biden biased biannually bf better benefits being awhile begin before been becoming became be barely bank billings bills bit blindly care card cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both back away emails addresses alarming agree againlater again after afford adicional addtional additional automatically addition adding added activities acct accounts access absurd all allow allowed almost aunt at as aren are apps aparently anyways any anticonsumer another annually amounts amount amercian am already caring cell change decisions discontinue disappointed direction different differences didnt deteriorated delivering deal changed days day daughter date damn dad cutting cut divorce do doesnt less email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double done customers customer currently compared coming come combining combine college climbing climb city choose choice checking cheaper charges charged charge changing changes company competitive current compromised currency creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected legacy loyal lesser sorry started start squeeze spouses spouse spending spend span soon than son something someone some so situation single since starting stealing stepdad stop temporary temporarily taste talk taking take system switching summer success subscribers subscriber sub stupid stranger stopping stopped significant signaling sign see second scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return secure seems sight seen sick shoves shouldn should short she sharing shady several settled set servicio services service series sense selection terrible thanks retired warrant were went well weeks week we waste was wants thats wanted waiting wait vs virtue value vaccine ut what whats where while youll yet yearly year yall ya wouldn would worth workable work won willing will wife why who uses used use too today tired tipped times time tightening tight throughout through this think things thing they these there their told tooo us town upward upping upcoming up until unneeded unfortunately unfair unemployed understand under two twice trying try tried tracking retiring resume let never notified nothing nonsense non no nice next new needed our need must multiple much moved move more months now off offer offered other original or options option opportunity opening opened ontario only oneday one once on ok often offset monthly month monetary luck lower lost losing loose looking longer long lol locations location ll living live little limiting limited life loyalty made moment make mom mistake mind might merge memberships membership members member medical means maybe may market manservices making makes others overpriced resubscribe raised reality reactivate re rather rates rate raising raises raise own quickly quality putting put pushed provider profits profit really reason recent
 31%|███▏      | 15/48 [35:37<1:35:56, 174.45s/it]
Topic 15 | Coherence=-232025.05 | Top words= subscription my you has many too good with in biannually entertaining much now options canceling far greed company seems prices other consider am an why increasing your the ill or are increases after year increments already luck like access checking it where moving keep we price he bf was someone dont at hacked not husband new really by upping daughter residence same stranger huge popular being amounts series used passed away today who pleased phone policies moved spouse offered hacking notified keeps joint as situation changed location aunt financial acct agree ontario income combine one forth for kidding forcing food kept forever kids hungry free frequent focused from fuel future games justify garbage gas get getting gf girl give keeping lack flat fan learning layoff even every everything expected expenses expensive extortion extra face fact fair family later fixed fault last fee feel fees laid feet few fiance finally financially first go fix given gonna just increasses havent having interested especially health instead help her high inflation higher hike hikes hiking goes increased history increase holder horrible hosehold house household improvements im if households how into have intolerable hardly going gone idea got gotten gouging grandkids great join job greedy jacking guys itself its issues issue isnt hackednot isn had half hand is happy iny hard euro youre entertainment biden both blindly bit bills billings billing bill biggest biased enough between better benefits benefit begin before been becoming boyfriend break broke budget changes change cell caused caring cared care card cant cannot cancelling cancel can bye but business buggin because became be allow alarming againlater again afford adicional addtional addresses additional addition adding added activities accounts account acceptance absurd about all allowed barely almost bank back awhile automatically aren apps aparently anyways anymore any anticonsumer another annually and amount amercian also changing charge charged done doesnt do divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal don left day double end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down days date charges continously constant consolidating connected compromised competitive compared coming come combining college climbing climb city choose choice cheaper charging constantly continually damn continue dad cutting cut customers customer currently current currency creep credit covid courtesy country costs cost continuous continues leave loyal legacy start stopped stop stepdad stealing stay states starting started squeeze return spouses spending spend span sorry soon son something stopping stupid sub subscriber thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers some so single sense seen see secure second scaling scales saving save run rules rule rotating rising risen rise ripped right selection service since services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio that thats their whats were went well weeks week way waste warrant wants wanted want waiting wait vs virtue value vaccine what when using while youll yet years yearly yall ya wouldn would worth workable work wont won without willing will wife ut uses there tracking tooo told to tired tipped times time tightening tight throughout through this think things thing they these town tried users try use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ridiculous retiring less must no nice next news newest never needed need multiple retired move more months monthly month money monetary moment non nonesence nonsense nothing our others original option opportunity opening opened only oneday once on ok often offset offer off of mom mistake mind lost loose looking longer long lol locations ll living live little limiting limited limit life letting let lesser losing lower might loyalty merge memberships membership members member medical means me maybe may married market manservices making makes make made out outside over recently reason reality reactivate re rather rates rate raising raises raised raise quickly quality putting put pushed provider recent recession profit
Average topic coherence for the top words is -235453.4667923978
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.48it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.56it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.56it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.59it/s]
 10%|█         | 5/50 [00:00<00:08,  5.58it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.55it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.54it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.55it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.55it/s]
 20%|██        | 10/50 [00:01<00:07,  5.54it/s]
 22%|██▏       | 11/50 [00:01<00:07,  5.55it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.52it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.55it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.55it/s]
 30%|███       | 15/50 [00:02<00:06,  5.58it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.55it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.54it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.52it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.52it/s]
 40%|████      | 20/50 [00:03<00:05,  5.53it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.54it/s]
 44%|████▍     | 22/50 [00:03<00:05,  5.52it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.49it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.50it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.52it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.52it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.48it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.48it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.48it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.50it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.51it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.51it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.51it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.54it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.54it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.53it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.54it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.52it/s]
 78%|███████▊  | 39/50 [00:07<00:01,  5.52it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.52it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.52it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.53it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.54it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.54it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.54it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.54it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.57it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.58it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.56it/s]
100%|██████████| 50/50 [00:09<00:00,  5.53it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.90it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.79it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.82it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.81it/s]
 10%|█         | 5/50 [00:00<00:06,  6.83it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.82it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.77it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.74it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.74it/s]
 20%|██        | 10/50 [00:01<00:05,  6.77it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.81it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.85it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.87it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.86it/s]
 30%|███       | 15/50 [00:02<00:05,  6.86it/s]
 32%|███▏      | 16/50 [00:02<00:04,  6.87it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.89it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.88it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.88it/s]
 40%|████      | 20/50 [00:02<00:04,  6.86it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.84it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.87it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.85it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.84it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.84it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.84it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.84it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.85it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.85it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.85it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.86it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.87it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.89it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  6.84it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.83it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.79it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.74it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.77it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.80it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.77it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.77it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.74it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.73it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.75it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.79it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.81it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.79it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.79it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.81it/s]
100%|██████████| 50/50 [00:07<00:00,  6.82it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.70it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.68it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.68it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.68it/s]
 10%|█         | 5/50 [00:01<00:12,  3.67it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.67it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.67it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.65it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.65it/s]
 20%|██        | 10/50 [00:02<00:10,  3.66it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.67it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.63it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.63it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.63it/s]
 30%|███       | 15/50 [00:04<00:09,  3.63it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.63it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.63it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.65it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.65it/s]
 40%|████      | 20/50 [00:05<00:08,  3.64it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.65it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.66it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.67it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.67it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.66it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.66it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.66it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.65it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.66it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.65it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.63it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.64it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.64it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.62it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.63it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.66it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.65it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.65it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.65it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.67it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.67it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.66it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.66it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.66it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.67it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.66it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.65it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.64it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.65it/s]
100%|██████████| 50/50 [00:13<00:00,  3.65it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.82it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.78it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.79it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.78it/s]
 10%|█         | 5/50 [00:01<00:16,  2.80it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.81it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.81it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.81it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.81it/s]
 20%|██        | 10/50 [00:03<00:14,  2.81it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.80it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.80it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.80it/s]
 28%|██▊       | 14/50 [00:05<00:12,  2.79it/s]
 30%|███       | 15/50 [00:05<00:12,  2.79it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.79it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.79it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.79it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.79it/s]
 40%|████      | 20/50 [00:07<00:10,  2.81it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.80it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.81it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.80it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.81it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.81it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.81it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.81it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.82it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.79it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.80it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.79it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.80it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.79it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.79it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.78it/s]
 72%|███████▏  | 36/50 [00:12<00:05,  2.78it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.79it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.80it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.79it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.80it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.80it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.80it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.79it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.78it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.78it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.77it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.78it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.78it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.78it/s]
100%|██████████| 50/50 [00:17<00:00,  2.79it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.86it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.86it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.86it/s]
  8%|▊         | 4/50 [00:02<00:24,  1.85it/s]
 10%|█         | 5/50 [00:02<00:24,  1.85it/s]
 12%|█▏        | 6/50 [00:03<00:23,  1.85it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.84it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.85it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.85it/s]
 20%|██        | 10/50 [00:05<00:21,  1.84it/s]
 22%|██▏       | 11/50 [00:05<00:21,  1.84it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.85it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.85it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.85it/s]
 30%|███       | 15/50 [00:08<00:18,  1.84it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.84it/s]
 34%|███▍      | 17/50 [00:09<00:17,  1.84it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.84it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.84it/s]
 40%|████      | 20/50 [00:10<00:16,  1.84it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.85it/s]
 44%|████▍     | 22/50 [00:11<00:15,  1.85it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.85it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.85it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.85it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.84it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.85it/s]
 56%|█████▌    | 28/50 [00:15<00:11,  1.84it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.85it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.85it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.85it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.85it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.84it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.84it/s]
 70%|███████   | 35/50 [00:18<00:08,  1.84it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.84it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.84it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.84it/s]
 78%|███████▊  | 39/50 [00:21<00:05,  1.84it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.84it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.84it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.84it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.85it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.84it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.83it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.84it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.84it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.84it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.85it/s]
100%|██████████| 50/50 [00:27<00:00,  1.84it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.64it/s]
Topic 0 | Coherence=-235302.18 | Top words= and in my for is you charge re me your going thank she anyways sign college uses ut daughter when worth extra no not it bye to good subscription with the money has have already keep this an budget few moving been on come tight he try bf once months ill now like back years havent stealing yall from because news price phone happy hacked sub husband disappointed what joint limited residence seen system using family make right allow want spending amount getting horrible parents offered own made goes fees financial end euro especially finally entertainment fiance feet gf feel enough girl give given even entertaining fault gonna fee gone go get every frequent flat fair focused food fact forcing face fixed forever forth free got fan financially fix first expensive fuel expenses future far expected everything games garbage gas extortion youre gotten income issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases increased its itself jacking kids learning layoff later last laid lack kidding job kept keeps keeping justify just join increase improvements gouging im email health having hardly hard hand half had hacking hackednot guys greedy greed great grandkids help her high household if idea hungry huge how households house higher hosehold holder history hiking hikes hike emails divorce elsewhere benefits billing bill biggest biden biased biannually between better benefit away being begin before becoming became be barely bank billings bills bit blindly cared care card cant cannot cancelling canceling cancel can by but business buggin broke break boyfriend both awhile automatically else adding again after afford adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about againlater agree alarming all at as aren are apps aparently anymore any anticonsumer another annually amounts amercian am also almost allowed caring caused cell decisions discontinue direction different differences didnt deteriorated delivering declined death change deal days day date damn dad cutting cut disgusting disgusts left do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt customers customer currently competitive company coming combining combine climbing climb city choose choice checking cheaper charging charges charged changing changes changed compared compromised current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider leave loyal legacy sorry starting started start squeeze spouses spouse spend span soon restriction son something someone some so situation single since states stay stepdad stop temporary temporarily taste talk taking take switching support summer success subscriptions subscribers subscriber stupid stranger stopping stopped significant signaling sight second scales saving save same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume scaling secure sick see shoves shouldn should short sharing share shady several settled set servicio services service series sense selection seems terrible than thanks whats went well weeks week we way waste was warrant wants wanted waiting wait vs virtue value vaccine were where used while youll yet yearly year ya wouldn would workable work wont won without willing will wife why who users use that tooo told today tired tipped times time tightening throughout through think things thing they these there their thats too town us tracking upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying tried resubscribe restrict less need nonesence non nice next newest new never needed must restart multiple much moved move more monthly month monetary nonsense nothing notified of other original or options option opportunity opening opened ontario only oneday one ok often offset offer off moment mom mistake lost loose looking longer long lol locations location ll living live little limiting limit life letting let lesser losing lower mind loyalty might merge memberships membership members member medical means maybe may married market many manservices making makes luck others our out reactivate rates rate raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing rather reality president
Topic 1 | Coherence=-237005.90 | Top words= and to price the subscription for just money on as it prices other need my now use don save trying much greedy services am going raising continues are more up climb benefit dont starting one in last keeps added another with profit possible time cut only additional some wife divorce constant ridiculous income fixed better selection costs fuel profiles entertainment courtesy left having want spend goes scales through tipped direction finally household go continually rise subscriptions increases service charges reduce spending down bills back hard less limiting barely drain financially non customers households fees retired never combine months pagos throughout por el raises talk adicional recent single servicio right get history climbing waste own offered hacking cancel really states reflect addresses me future boyfriend country fee fan games feel everything fix family first fair far feet even every face expenses expected fault financial extra extortion free frequent from forever fact forth food fiance garbage focused flat few expensive forcing youre gas into instead inflation increments increasses increasing increased increase improvements im ill if idea husband hungry huge interested intolerable house iny kept keeping keep justify joint join job jacking itself its issues issue isnt isn is how hosehold getting had hacked euro greed great grandkids gouging gotten got good gonna gone given give girl gf hackednot half horrible hand holder hiking hikes hike higher high her help health he havent have has hardly happy guys disgusting especially being biggest biden biased biannually bf between benefits begin billing before been becoming because became be bank bill billings away by card cant cannot cancelling canceling can bye but bit business buggin budget broke break both blindly awhile automatically entertaining adding agree againlater again after afford addtional addition activities all acct accounts account access acceptance absurd about alarming allow aunt anticonsumer at aren apps aparently anyways anymore any annually allowed an amounts amount amercian also already almost care cared caring delivering kids discontinue disappointed different differences didnt deteriorated declined do decisions death deal days day daughter date disgusts doesnt caused edge enough end emails email elsewhere else eliminating easily done earlier each duplicate due drive drastically double damn dad cutting cheaper come combining college city choose choice checking charging customer charged charge changing changes changed change cell coming company compared competitive currently current currency creep credit covid cost continuous continue continously constantly consolidating consider connected compromised kidding loyal lack stupid stopping stopped stop stepdad stealing stay started start squeeze spouses spouse span sorry soon son something someone stranger sub restart subscriber thats that thanks thank than terrible temporary temporarily taste taking take system switching support summer success subscribers so situation since significant secure second scaling saving same run rules rule rotating rising risen ripped return retiring resume resubscribe restriction see seems seen short signaling sign sight sick shoves shouldn should she sense sharing share shady several settled set series their there these vs while where when whats what were went well weeks week we way was warrant wants wanted waiting who why will ya youll you yet years yearly year yall wouldn willing would worth workable work wont won without wait virtue they value twice try tried tracking town tooo too told today tired times tightening tight this think things thing two unable under upward vaccine ut using uses users used us upping understand upcoming until unneeded unnecessary unfortunately unfair unemployed restrict respect laid needed multiple moving moved move monthly month monetary moment mom mistake mind might merge memberships membership members member must new residence newest oneday once ok often offset offer off of notified nothing not nonsense nonesence no nice next news medical means maybe may location ll living live little limited limit like life letting let lesser legacy leave learning layoff later locations lol long made married market many manservices making makes make luck longer loyalty your lower lost losing loose looking ontario opened opening political raise quickly quality putting put pushed provider profits problem pricing president prescription prefer preemptively power popular pop raised
Topic 2 | Coherence=-242443.13 | Top words= to be back and will of my have money need can service the increases different break customer more change country saving taking in when is this want due get on just new ll prices we got billing about times moving location out even going cut moved high but problem squeeze yet amount too currency continue job month changed try many current losing no up people unable you off all bit addtional was started help as go date laid with time gas adding deal continuous upcoming youll multiple payday for at cannot summer once subscriptions settled rejoin next ontario users benefit repurposing really broke free feet come monetary because activities might own week may billings better stopped declined phone dont fees food short expenses trying bills health inflation ill medical two gotten layoff hikes cheaper replace terrible year accounts resume other quality bill charging already into forcing issues garbage issue fuel isnt isn forever focused iny forth interested future from intolerable games frequent expensive itself it flat extortion extra face fact joint fair join family fan far fault fee feel jacking few fiance finally financial financially first fix fixed its instead gf increments grandkids horrible holder great greed greedy guys hacked history hackednot hacking had hiking half hand happy hard hardly hike higher her has he having hosehold gouging increasses house increasing getting increased havent girl give increase given income improvements im if goes idea husband gone hungry gonna huge how households good household youre disappointed expected between both blindly biggest biden biased biannually bf benefits awhile being begin before been becoming became barely boyfriend budget buggin business charge changing changes cell caused caring cared care card cant cancelling canceling cancel bye by bank away everything addresses alarming agree againlater again after afford adicional additional automatically addition added acct account access acceptance absurd allow allowed almost also aunt aren are apps aparently anyways anymore any anticonsumer another annually an amounts amercian am charged charges checking do drastically drain down double done don doesnt divorce choice disgusts disgusting discontinue keep direction differences didnt drive duplicate each earlier every euro especially entertainment entertaining enough end emails email elsewhere else eliminating el edge easily deteriorated delivering decisions constantly consolidating consider connected compromised competitive compared company coming combining combine college climbing climb city choose constant continously death continually days day daughter damn dad cutting customers currently creep credit covid courtesy costs cost continues justify loyal keeping shoves spending spend span sorry soon son something someone some so situation single since significant signaling sign sight spouse spouses start sub system switching support success subscription subscribers subscriber stupid starting stranger stopping stop stepdad stealing stay states sick shouldn keeps should run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resubscribe restriction restrict restart same save scales services she sharing share shady several set servicio series scaling sense selection seen seems see secure second take talk taste temporarily were went well weeks way waste warrant wants wanted waiting wait vs virtue value vaccine ut using what whats where workable years yearly yall ya wouldn would worth work while wont won without willing wife why who uses used use these tight throughout through think things thing they there tipped their thats that thanks thank than temporary tightening tired us unemployed upward upping until unneeded unnecessary unfortunately unfair understand today under twice tried tracking town tooo told respect residence reside opening must much move months monthly moment mom mistake mind merge memberships membership members member means me maybe needed never newest offer only oneday one ok often offset offered now news notified nothing not nonsense nonesence non nice married market manservices left like life letting let lesser less legacy leave limited learning later last lack kids kidding kept limit limiting making lost makes make made luck loyalty your lower loose little looking longer long lol locations living live opened opportunity rent option raise quickly putting put pushed provider profits profit profiles pricing price president prescription prefer preemptively power possible
Topic 3 | Coherence=-230242.85 | Top words= price the subscription my and to will different in pay have that your you increases use cancel change we is where raised upcoming ridiculous fee anticonsumer used locations live shady tried once almost offer do are two fact me dont was also want be rates since like than membership thing who others higher mom same restrict hacked anymore places using another getting addresses won but being able both everything system platform life stranger amercian don someone workable gotten poland notified today wants by absurd short awhile boyfriend instead buggin new acct stopping hacking married opening household lol future decisions benefits sick fees constantly go after given had addtional give girl gf gonna goes going gone hackednot good got adicional guys gouging grandkids great greed afford greedy again barely get gas financially financial finally fiance few feet feel alarming fault far fan family fair all face first fix agree free garbage games fuel from half frequent forth fixed forever forcing for food focused flat againlater health hand increased it issues issue isnt isn access account iny intolerable into interested inflation increments increasses increasing its acceptance itself keeping laid lack kids kidding kept keeps keep jacking about justify just joint join job accounts increase happy income hiking hikes hike addition high her help extortion he having havent additional has hardly hard history holder horrible idea activities improvements added im ill if husband hosehold adding hungry huge how households house extra entertainment allow any charging charges charged charge changing changes changed cell expensive caused caring cared care card cant anyways cheaper checking choice choose consider connected compromised competitive compared company annually coming come combining combine college climbing climb city cannot cancelling canceling biggest biased biannually bf between better benefit automatically away begin before been becoming because became back biden bill aparently billing can bye apps business budget broke aren break as at blindly bit bills billings aunt consolidating constant continously el easily earlier each duplicate due drive drastically drain down double am done doesnt divorce disgusts edge eliminating discontinue already expenses expected every even euro especially bank entertaining enough end emails allowed email elsewhere else disgusting disappointed an cut customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continually customers cutting direction amounts later differences didnt deteriorated delivering declined amount death deal days day daughter date damn dad last youre layoff start spouses spouse spending spend span sorry soon son something some so situation single significant signaling sign sight squeeze started shouldn starting taking take switching support summer success subscriptions subscribers subscriber sub stupid stopped stop stepdad stealing stay states shoves should learning save rules rule rotating rising risen rise ripped right return retiring retired resume resubscribe restriction restart respect residence run saving she scales sharing share several settled set servicio services service series sense selection seen seems see secure second scaling talk taste temporarily whats were went well weeks week way waste warrant wanted waiting wait vs virtue value vaccine ut uses what when temporary while youll yet years yearly year yall ya wouldn would worth work wont without with willing wife why users us upward upping times time tightening tight throughout through this think things they these there their thats thanks thank terrible tipped tired told understand up until unneeded unnecessary unfortunately unfair unemployed under too unable twice trying try tracking town tooo reside repurposing replace next newest never needed need must multiple much moving moved move more months monthly month money monetary moment news nice opportunity no ontario only oneday one on ok often offset offered off of now nothing not nonsense nonesence non mistake mind might merge looking longer long location ll living little limiting limited limit letting let lesser less legacy left leave loose losing lost market memberships members member medical means maybe may many lower manservices making makes make made luck loyalty opened option rent raises quickly quality putting put pushed provider profits profit profiles problem pricing prices president prescription prefer preemptively power raise raising
Topic 4 | Coherence=-233158.53 | Top words= and my subscription extra subscriptions with sharing in need an has married family two one have only too don are dont charge will pay we hikes got so you husband no using im charging moved issues if different other is anymore won support getting extortion share profiles same parents memberships house taste future consolidating youre financial at expected company its longer on disgusting paying wife people up significant boyfriend moving daughter fiance stepdad her down dad now cost after temporarily own went services recently quality but double payment unemployed emails both accounts than aparently combining saving having cancelling our spouse later residence needed remarried climb more able merge households had live set expensive another situation some scaling changed multiple spouses rejoin else yall addresses currently gonna already away come service flat was expenses financially fixed fix everything focused warrant first food wants few face fair wanted fan every far fault fee waiting finally feel want fees feet fact taking even divorce way week weeks done well doesnt do disgusts euro were discontinue disappointed direction what differences didnt drain drastically drive due especially for entertaining enough end waste email elsewhere eliminating el edge easily earlier each duplicate entertainment fuel forcing hardly horrible holder history hiking users hike higher high uses help health he ut havent vaccine hosehold used household improvements increasing increases increased increase income upping upward how ill us idea use hungry huge value hard forever happy given give girl gf vs get gas garbage games wait delivering from frequent free forth go goes going greedy hand half hacking hackednot hacked guys greed gone great grandkids gouging gotten virtue good deteriorated date declined begin been becoming because became be barely bank back awhile automatically aunt wouldn as aren ya before being decisions benefit would blindly bit bills billings billing bill biggest biden biased biannually bf between better benefits apps anyways year any afford adicional addtional additional addition adding added activities acct youll account access acceptance absurd about yet again againlater amercian anticonsumer annually yearly years amounts amount am agree also almost allowed allow all alarming worth break broke who country costs where continuous continues continue continually continously constantly constant while consider connected compromised competitive courtesy covid credit damn death deal days day whats increments when creep cutting cut customers customer current currency compared coming budget why caring cared care card cant cannot work canceling cancel can bye by workable business buggin caused cell change choice combine college climbing willing city choose checking changes cheaper without charges charged wont changing increasses iny inflation redo recession think recent reason really reality reactivate re rather rates rate raising raises raised raise rectifying reduce this reducing retired resume resubscribe restriction restrict restart respect thing reside repurposing replace rent renewing things reflect quickly putting return pop political policy policies poland point pls pleased please playing play platforms platform places piracy pick politically popular put por pushed provider profits profit through problem pricing prices price president prescription prefer preemptively power possible retiring ridiculous personal stay starting started start squeeze thanks spending spend span sorry soon son something someone that single states stealing thats thank system switching talk summer success temporary terrible subscribers subscriber sub stupid stranger stopping stopped stop since signaling right seen see secure second scales these save they run rules rule rotating rising risen rise ripped seems selection sign sense sight sick shoves shouldn should short she the their shady several settled servicio there series phone person instead lower losing loose looking unfortunately long lol locations location ll living little limiting limited limit like lost your letting loyalty member medical means me maybe may unfair market many manservices making makes make made luck life let membership just join job jacking itself unneeded it until issue isnt isn upcoming take intolerable into interested joint justify lesser keep less legacy left leave learning layoff unnecessary last laid lack kids kidding kept keeps keeping members understand per tired to original or options option opportunity opening opened ontario today oneday told
Topic 5 | Coherence=-229872.14 | Top words= up you prices keep the being going re enough understand if begin were hiking means wouldn leave cared what much us ll only too high this that about is cost greedy with price when it subscription has of me keeps to do month cancel business spending let days didnt jacking first cutting upward on unfortunately expensive every quickly risen out customer broke annually hard gone over fee biggest membership fix taking way increase so covid hacked unnecessary tooo expenses back im cant half am increasing flat rate deal fees opportunity financially redo cheaper raising replace feet not someone aren forever interested forth free frequent from fuel last future forcing garbage gas get getting gf girl games few for layoff entertaining entertainment especially euro even everything expected extortion extra face fact learning later food fair family fan far fault feel given fiance finally financial fixed focused give greed go household hungry huge its how itself households house issue hosehold horrible holder history job hikes issues husband goes increased into inflation increments increasses intolerable increases iny idea income in isn improvements ill isnt hike higher join great hacking kids hackednot guys lack instead grandkids joint gouging gotten got good gonna laid had hand happy kidding kept hardly keeping have justify end havent having he health help just her youre divorce emails biden biannually bf between better benefits benefit before been becoming because became be barely bank awhile away automatically biased bill at billing card cannot cancelling canceling can bye by but buggin budget break boyfriend both blindly bit bills billings aunt as caring agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd againlater alarming are all apps aparently anyways anymore any anticonsumer another and an amounts amount amercian also already almost allowed allow care caused email legacy disgusting discontinue disappointed direction different differences deteriorated delivering declined decisions death day daughter date damn dad cut disgusts doesnt currently don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done customers current cell coming combining combine college climbing climb city choose choice checking charging charges charged charge changing changes changed change come company currency compared creep credit courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive left loyal less soon started start squeeze spouses spouse spend span sorry son temporarily something some situation single since significant signaling sign starting states stay stealing talk take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping stopped stop stepdad sight sick shoves second scales saving save same run rules rule rotating rising rise ripped right ridiculous return retiring retired resume scaling secure shouldn see should short she sharing share shady several settled set servicio services service series sense selection seen seems taste temporary lesser warrant whats went well weeks week we waste was wants terrible wanted want waiting wait vs virtue value vaccine where while who why youll yet years yearly year yall ya would worth workable work wont won without willing will wife ut using uses tired times time tightening tight throughout through think things thing they these there their thats thanks thank than tipped today users told used use upping upcoming until unneeded unfair unemployed under unable two twice trying try tried tracking town resubscribe restriction restrict must next news newest new never needed need my multiple restart moving moved move more months monthly money monetary nice no non nonesence option opening opened ontario oneday one once ok often offset offered offer off now notified nothing nonsense moment mom mistake lower losing loose looking longer long lol locations location living live little limiting limited limit like life letting lost your mind loyalty might merge memberships members member medical maybe may married market many manservices making makes make made luck options or original rather raises raised raise quality putting put pushed provider profits profit profiles problem pricing president prescription prefer preemptively rates reactivate possible
Topic 6 | Coherence=-239045.33 | Top words= it time you afford this to can at the is increasing my as are use don by business keeps anymore now long just cant months not using many but raising in make been dont last enough job and doesnt well right sense resubscribe that making like elsewhere decisions nonsense guys see benefits lost when take moved changing we thanks price caused much biden hardly only rates constantly inflation president feel due start will rising alarming loyalty longer opened subscription on mistake duplicate again get customer coming outside play summer there users any cannot before interested apps vaccine second thank reality two free services disappointed of fuel going goes gas go given give girl gf getting future games garbage youre financial from fees everything expected expenses expensive extortion extra face fact fair family fan far fault fee feet frequent few fiance finally financially first fix fixed flat focused food for forcing forever forth gone help gonna iny into instead increments increasses increases increased increase income improvements im ill if idea husband hungry intolerable isn good isnt laid lack kids kidding kept keeping keep justify joint join jacking itself its issues issue huge how households household hard happy hand half had hacking hackednot hacked greedy greed great grandkids gouging gotten got has have havent hikes house hosehold horrible holder history hiking hike having higher high her even health he every disgusts euro changes billing bill biggest biased biannually bf between better benefit being begin becoming because became be barely bank billings bills bit canceling change cell caring cared care card cancelling cancel blindly bye buggin budget broke break boyfriend both back awhile away added after adicional addtional addresses additional addition adding activities agree acct accounts account access acceptance absurd about againlater all automatically an aunt aren aparently anyways anticonsumer another annually amounts allow amount amercian am also already almost allowed changed charge especially charged layoff disgusting discontinue direction different differences didnt deteriorated delivering declined death deal days day daughter date damn divorce do done el entertainment entertaining end emails email else eliminating edge double easily earlier each drive drastically drain down dad cutting cut climbing competitive compared company come combining combine college climb connected city choose choice checking cheaper charging charges compromised consider customers country currently current currency creep credit covid courtesy costs consolidating cost continuous continues continue continually continously constant later loyal learning stealing states starting started squeeze spouses spouse spending spend span sorry soon son something someone some so situation stay stepdad since stop temporary temporarily taste talk taking system switching support success subscriptions subscribers subscriber sub stupid stranger stopping stopped single significant restrict seems scaling scales saving save same run rules rule rotating risen rise ripped ridiculous return retiring retired resume secure seen signaling selection sign sight sick shoves shouldn should short she sharing share shady several settled set servicio service series terrible than thats who where whats what were went weeks week way waste was warrant wants wanted want waiting wait vs while why their wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue value ut uses town tooo too told today tired tipped times tightening tight throughout through think things thing they these tracking tried try unneeded used us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable twice restriction restart leave non nice next news newest new never needed need must multiple moving move more monthly month money monetary no nonesence mom nothing original or options option opportunity opening ontario oneday one once ok often offset offered offer off notified moment mind respect loose lol locations location ll living live little limiting limited limit life letting let lesser less legacy left looking losing might lower merge memberships membership members member medical means me maybe may married market manservices makes made luck your other others our re rate raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing prices prescription rather reactivate
Topic 7 | Coherence=-224676.40 | Top words= and you using subscription family increase when don that about bill like of paying outside share the states limit money want my power idea news with to so expensive will cant switching compared changing even others keep cheaper bank dont pay fair kids losing how resume done hosehold agree euro thats it upping unable political account signaling virtue benefits currency costs inflation death card in charges recession holder rising fault month laid fix moment grandkids gas great get gf gotten getting gouging gone girl got good give gonna given go goes garbage going afford focused games few fees feel fee far fan accounts fact face extra extortion expenses expected everything every especially feet fiance future finally fuel from frequent free forth forever forcing for food greedy flat fixed first financially financial greed have access guys join job jacking itself its issues issue isnt isn is iny intolerable into interested instead increments increasses joint just justify leave life letting let lesser less legacy left learning keeping layoff later last lack kidding kept keeps increasing increases increased hardly help health he having havent entertaining has hard high happy hand half had hacking hackednot hacked her higher absurd huge income improvements im ill if husband hungry households hike household house horrible history hiking acceptance hikes entertainment due enough broke boyfriend both blindly bit bills billings billing addresses biggest biden biased biannually bf between better benefit being break budget before buggin change cell caused caring cared care cannot cancelling canceling cancel can bye addition additional by but business begin been end anticonsumer annually adicional an amounts amount amercian am also already almost allowed allow all alarming againlater again after another any becoming anymore because became be barely back awhile away automatically aunt at as aren are addtional apps aparently anyways changed adding changes divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions deal days day daughter date damn disgusts do charge doesnt emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double acct dad cutting cut customers compromised competitive company coming come combining combine college climbing climb added city choose choice checking charging charged connected consider consolidating courtesy customer currently current activities creep credit covid country constant cost continuous continues continue continually continously constantly youre loyal limited spouse stepdad stealing stay starting started start squeeze spouses spending single spend span sorry soon son something someone some stop stopped stopping stranger than terrible temporary temporarily taste talk taking take system support summer success subscriptions subscribers subscriber sub stupid situation since thanks run see secure second scaling scales saving save same rules significant rule rotating risen rise ripped right ridiculous return seems seen selection sense sign sight sick shoves shouldn should short she sharing shady several settled set servicio services service series thank their retired way whats what were went well weeks week we waste ut was warrant wants wanted waiting wait vs value where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife vaccine uses there tightening tooo too told today tired tipped times time tight users throughout through this think things thing they these town tracking tried try used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice trying retiring resubscribe limiting newest nothing not nonsense nonesence non no nice next new more never needed need must multiple much moving moved notified now off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered move months our looking make made luck loyalty your lower lost loose longer monthly long lol locations location ll living live little makes making manservices many monetary mom mistake mind might merge memberships membership members member medical means me maybe may married market other out restriction raise reactivate re rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles reality really reason recent
Topic 8 | Coherence=-237753.63 | Top words= extra of you the price share charging hikes many to your greedy because subscriptions not also few my past fan years way over money out me with for cant newest grandkids stay are without increase hike an that hand lack selection raising getting bill when like months spending news outside now about work town idea power won at want budget happy got moment far limit temporary states hungry people lol became it profiles every absurd else caring entertaining gf gone girl give given go goes going entertainment enough gonna good gotten gouging great get expenses gas fee financially financial finally fiance feet fees feel fault garbage everything family fair fact face expected extortion first fix fixed flat games future especially fuel from frequent free euro expensive forth forever forcing food focused even youre high greed join jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation increments job joint increasing just legacy left leave learning layoff later last laid kids kidding kept keeps keeping keep justify increasses increases guys higher her help health he having havent have has hardly hard half had hacking hackednot hacked emails hiking increased history income in improvements im ill if husband huge how households household house hosehold horrible holder end dont email benefits billing biggest biden biased biannually bf between better benefit bills being begin before been becoming be barely bank billings bit awhile can caused cared care card cannot cancelling canceling cancel bye blindly by but business buggin broke break boyfriend both back away elsewhere additional agree againlater again after afford adicional addtional addresses addition all adding added activities acct accounts account access acceptance alarming allow automatically anticonsumer aunt as aren apps aparently anyways anymore any another allowed annually and amounts amount amercian am already almost cell change changed decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts changes drive eliminating el edge easily earlier each duplicate due drastically divorce drain down double lesser done don doesnt do cut customers customer climb compared company coming come combining combine college climbing city currently choose choice checking cheaper charges charged charge changing competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating less loyal let spouse stop stepdad stealing starting started start squeeze spouses spend thats span sorry soon son something someone some so stopped stopping stranger stupid thank than terrible temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub situation single since seen see secure second scaling scales saving save same run rules rule rotating rising risen rise ripped right seems sense significant series signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services service thanks their return wants went well weeks week we waste was warrant wanted there waiting wait vs virtue value vaccine ut using were what whats where youll yet yearly year yall ya wouldn would worth workable wont willing will wife why who while uses users used tracking too told today tired tipped times time tightening tight throughout through this think things thing they these tooo tried use try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ridiculous retiring letting new notified nothing nonsense nonesence non no nice next never overpriced needed need must multiple much moving moved move off offer offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often more monthly month made loyalty lower lost losing loose looking longer long locations location ll living live little limiting limited life luck make monetary makes mom mistake mind might merge memberships membership members member medical means maybe may married market manservices making our own retired rate recent reason really reality reactivate re rather rates raises owner raised raise quickly quality putting put pushed provider recently recession rectifying
Topic 9 | Coherence=-216700.85 | Top words= do not to my have it pay so is subscription was just but that bill an ill compromised card charged because without allowed wanted credit automatically told option you after bank enough good needed forth why want guys dont customers put use fault need services go warrant think as even day until care waiting often cost increase agree changes policy garbage anymore household everything payday expected greedy gf girl greed give given great expensive expenses entertaining goes every going grandkids gouging entertainment especially euro gone gonna gotten got feel fair getting financially food focused flat fixed fix first far for financial finally fiance fee few feet fan forcing get fact extortion gas extra face games future fees hackednot family fuel from frequent free forever hacked youre hacking instead keeps keeping keep justify joint join job jacking itself its issues issue isnt isn iny intolerable into kept kidding kids less limited limit like life letting let lesser legacy lack left leave learning layoff later last laid interested inflation had increments hiking hikes hike higher end her help health he having havent has hardly hard happy hand half history holder horrible im increasses increasing increases increased income in improvements if hosehold idea husband hungry huge how households house high don emails billing biden biased biannually bf between better benefits benefit being begin before been becoming became be barely back biggest billings away bills cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit awhile aunt caring alarming again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater all at allow aren are apps aparently anyways any anticonsumer another annually and amounts amount amercian am also already almost cared caused email disgusts discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days daughter date damn dad disgusting divorce cut doesnt elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double done little cutting customer cell company come combining combine college climbing climb city choose choice checking cheaper charging charges charge changing changed change coming compared currently competitive current currency creep covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected limiting loyal live spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some situation stealing stop since support temporary temporarily taste talk taking take system switching summer stopped success subscriptions subscribers subscriber sub stupid stranger stopping single significant living rules secure second scaling scales saving save same run rule seems rotating rising risen rise ripped right ridiculous return see seen signaling sharing sign sight sick shoves shouldn should short she share selection shady several settled set servicio service series sense terrible than thank way whats what were went well weeks week we waste where wants wait vs virtue value vaccine ut using when while thanks would youll yet years yearly year yall ya wouldn worth who workable work wont won with willing will wife uses users used through today tired tipped times time tightening tight throughout this us things thing they these there their the thats too tooo town tracking upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried retiring retired resume news notified nothing nonsense nonesence non no nice next newest of new never must multiple much moving moved move now off outside opened our others other original or options opportunity opening ontario offer only oneday one once on ok offset offered more months monthly lost making makes make made luck loyalty your lower losing month loose looking longer long lol locations location ll manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may out over resubscribe raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting pushed provider profits profit profiles really recent overpriced rent restriction
Topic 10 | Coherence=-237560.13 | Top words= price increase the not is for to worth of it too year greedy enough and be charge pay way willing service after profiles additional last currently high profit but with no starting every your me what when support this are really used bye cost sharing am added can much nothing was seems options anymore using money being think ok talk limited recent good paying quality great justify amount something time isnt should continues do waste afford given longer value would rising increasing opportunity rather living becoming sick charged keeps expensive learning re offered limiting half access lol times ripped daughter reflect won off at spend caused isn wont original higher from lower pls don nonesence expected loyal tired vs hard replace pop even forever games us ut fault cancel absurd its go any gone going anyways goes aparently anticonsumer give girl gf getting get gonna another jacking hacking got annually gotten an gouging amounts grandkids itself greed amercian guys hacked apps gas aren garbage fees feet few fiance finally financial financially awhile first away fix fixed about flat focused just food automatically forcing joint forth free frequent aunt fuel future join job as hackednot had acceptance increments ill im improvements alarming agree in income againlater increased again increases adicional addtional increasses addresses also inflation instead addition adding interested into intolerable iny activities acct accounts issue issues account if idea husband hungry hand already happy feel hardly has have havent having almost he health help her allowed allow hike hikes hiking history holder horrible hosehold all house household households how huge canceling fan fee continously bills continuous bit blindly continue continually constantly competitive constant consolidating consider both connected compromised costs billings country courtesy covid credit creep currency current billing customer customers cut cutting bill dad damn boyfriend compared far change buggin business changing changes changed by cell break caring cared care card cant cannot charges budget charging cheaper checking choice broke choose city climb climbing college combine combining come coming company biggest date biden elsewhere because been end emails email before else day eliminating el edge begin easily earlier entertaining entertainment especially euro became everything barely expenses bank extortion extra face back fact fair family cancelling each duplicate due disgusts days deal death decisions declined delivering deteriorated didnt differences different keep disappointed discontinue disgusting biased drive divorce biannually doesnt bf done dont between double better down drain benefits benefit drastically direction youre keeping take spouses spouse spending span sorry soon son someone some so situation single since significant signaling sign sight squeeze start started sub switching summer success subscriptions subscription subscribers subscriber stupid states stranger stopping stopped stop stepdad stealing stay shoves shouldn short return rules rule rotating risen rise right ridiculous retiring same retired resume resubscribe restriction restrict restart respect run save she series share shady several settled set servicio services sense saving selection seen see secure second scaling scales system taking reside taste well weeks week we warrant wants wanted want waiting wait virtue vaccine uses users use upward upping went were whats wouldn youll you yet years yearly yall ya workable where work without will wife why who while upcoming up until their throughout through things thing they these there thats tightening that thanks thank than terrible temporary temporarily tight tipped unneeded two unnecessary unfortunately unfair unemployed understand under unable twice today trying try tried tracking town tooo told residence repurposing kept one moved move more months monthly month monetary moment mom mistake mind might merge memberships membership members member moving multiple must non on often offset offer now notified nonsense nice my next news newest new never needed need medical means maybe legacy limit like life letting let lesser less left live leave layoff later laid lack kids kidding little ll may made married market many manservices making makes make luck location loyalty lost losing loose looking long locations once oneday rent only put pushed provider profits problem pricing prices president prescription prefer preemptively power possible por popular politically political
Topic 11 | Coherence=-239852.15 | Top words= price the and is with you increases to in my prices increasing money have more no kids terrible raising addition me pricing greedy keep charges going that your for sharing increase or charge has made expensive re up already are of it choose between putting into good activities longer deal ridiculous continues this other continuous subscriber one live unfair months moved intolerable city who someone problem another since rise profits over value member kidding earlier saving stop oneday sorry go edge sight pushed twice went end policy frequent agree changes son damn became tired gotten upcoming gouging gf subscription fault how raised else waste often stupid far hardly started everything same right used cost every feel increased iny fee fees hiking feet huge focused few food fan finally financial hikes hike financially first fix fixed flat fiance fact family history enough household increments entertaining kept house hosehold entertainment horrible holder especially euro inflation keeps keeping justify even expected expenses just extortion extra face forever fair forcing hard forth if improvements im health ill got jacking isnt itself he having havent grandkids great free idea greed its issue guys hacked hackednot hacking had half hand happy increasses gonna gone job issues from instead interested fuel joint future games garbage gas higher get hungry getting high girl households income give join given husband her goes help isn youre emails bill biden biased biannually bf better benefits benefit being begin before been becoming because be barely bank back biggest billing away billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills awhile automatically cant all againlater again after afford adicional addtional addresses additional adding added acct accounts account access acceptance absurd about alarming allow aunt allowed at as aren apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also almost cannot card email disgusting lack direction different differences didnt deteriorated delivering declined decisions death days day daughter date dad cutting cut discontinue disgusts customer divorce elsewhere eliminating el easily each duplicate due drive drastically drain down double dont done don doesnt do customers currently care coming combining combine college climbing climb choice checking cheaper charging charged changing changed change cell caused caring cared come company current compared currency creep credit covid courtesy country costs continue continually continously constantly constant consolidating consider connected compromised competitive disappointed loyal laid stealing states starting start squeeze spouses spouse spending spend span soon something some so situation single significant signaling stay stepdad thanks stopped than temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers sub stranger stopping sign sick shoves shouldn scales save run rules rule rotating rising risen ripped return retiring retired resume resubscribe restriction restrict restart scaling second secure set should short she share shady several settled servicio see services service series sense selection seen seems thank thats last while when whats what were well weeks week we way was warrant wants wanted want waiting wait vs where why their wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will virtue vaccine ut using tooo too told today tipped times time tightening tight throughout through think things thing they these there town tracking tried unneeded uses users use us upward upping until unnecessary try unfortunately unemployed understand under unable two trying respect residence reside never need must multiple much moving move monthly month monetary moment mom mistake mind might merge memberships membership needed new repurposing newest once on ok offset offered offer off now notified nothing not nonsense nonesence non nice next news members medical means maybe living little limiting limited limit like life letting let lesser less legacy left leave learning layoff later ll location locations make may married market many manservices making makes luck lol loyalty lower lost losing loose looking long only ontario opened political raises raise quickly quality put provider profit profiles president prescription prefer preemptively power possible por popular pop rate
Topic 12 | Coherence=-239677.69 | Top words= keep subscriber prices price and to with for the going anymore not customer subscription long rates there no at loyalty alarming up feel time you just we life nice keeping especially forcing shoves face iny choice like only pop more will passed make lost currently so away cut worth expensive have my need share letting us expenses me your increased is account raising month almost owner rent per has users had she date upping issues back mom these by this customers amounts huge focused piracy paying personal between of must looking aren parent retiring stop owning family payment reside aunt person budget on switching costs redo service platform elsewhere fault hikes charging spending second future games garbage fuel free from frequent youre forth fees even every everything expected extortion extra fact fair fan far fee feet forever few fiance finally financial financially get first fix fixed flat food gas happy getting increments increasing increases increase income in improvements im ill if idea husband hungry how households household increasses inflation hosehold instead keeps justify joint join job jacking itself its it issue isnt isn intolerable into interested house horrible gf hacked greedy greed great grandkids gouging gotten got good gonna gone goes go given give girl guys hackednot holder hacking history hiking hike higher high her help health he having havent hardly hard hand half euro done entertainment bf bills billings billing bill biggest biden biased biannually better be benefits benefit being begin before been becoming because bit blindly both boyfriend caused caring cared care card cant cannot cancelling canceling cancel can bye but business buggin broke break became barely entertaining addition againlater again after afford adicional addtional addresses additional adding bank added activities acct accounts access acceptance absurd about agree all allow allowed awhile automatically as are apps aparently anyways any anticonsumer another annually an amount amercian am also already cell change changed different doesnt do divorce disgusts disgusting discontinue disappointed direction differences changes didnt deteriorated delivering declined decisions death deal days don kidding dont double enough end emails email else eliminating el edge easily earlier each duplicate due drive drastically drain down day daughter damn compromised compared company coming come combining combine college climbing climb city choose checking cheaper charges charged charge changing competitive connected dad consider cutting current currency creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating kept loyal kids some stopped stepdad stealing stay states starting started start squeeze spouses spouse spend span sorry soon son something stopping stranger stupid talk thanks thank than terrible temporary temporarily taste taking sub take system support summer success subscriptions subscribers someone situation thats single seems see secure scaling scales saving save same run rules rule rotating rising risen rise ripped right seen selection sense should since significant signaling sign sight sick shouldn short series sharing shady several settled set servicio services that their return virtue when whats what were went well weeks week way waste was warrant wants wanted want waiting wait where while who wouldn youll yet years yearly year yall ya would why workable work wont won without willing wife vs value they vaccine tried tracking town tooo too told today tired tipped times tightening tight throughout through think things thing try trying twice until ut using uses used use upward upcoming unneeded two unnecessary unfortunately unfair unemployed understand under unable ridiculous retired lack membership new never needed multiple much moving moved move months monthly money monetary moment mistake mind might merge newest news next offset opened ontario oneday one once ok often offered non offer off now notified nothing nonsense nonesence memberships members opportunity member living live little limiting limited limit let lesser less legacy left leave learning layoff later last laid ll location locations manservices medical means maybe may married market many making lol makes made luck lower losing loose longer opening option resume pricing reality reactivate re rather rate raises raised raise quickly quality putting put pushed provider profits profit profiles really
Topic 13 | Coherence=-237365.81 | Top words= price your the you and too many why subscription greed access is will am canceling be luck checking increments now good where we increase sharing new to service hike paying care for again garbage just more this rate before of from people other how even start customers their they customer keep my tracking loose acceptance need through reality about fee provider lack increasing first things take newest change getting manservices less competitive drive pick market creep expenses shouldn done while down fees blindly constant reducing continually laid off little us should delivering quality point there value gotten stopping changing moved phone preemptively horrible afford next connected stupid caring cell unneeded hand me agree extra money upping opened costs rising forever improvements forth free frequent joint fuel future join job games gas get justify financially forcing keeping every everything expected expensive extortion kidding face kept fact fair family fan far fault keeps feel feet few fiance finally financial gf fix fixed flat focused food jacking got girl give into he health interested instead help her high higher inflation increasses increases increased hikes hiking history holder hosehold income house household households huge hungry husband idea if ill in having intolerable havent guys given go itself goes going gone gonna im gouging grandkids great its greedy hacked have hackednot hacking it had issues issue half happy hard hardly isnt isn iny has youre euro bill biden biased biannually bf between better benefits benefit being begin been becoming because became barely bank back biggest billing cared billings cant cannot cancelling cancel can bye by but business buggin budget broke break boyfriend both bit bills awhile away automatically aunt allow all alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account absurd allowed almost already anymore at as aren are apps aparently anyways any also anticonsumer another annually an amounts amount amercian card caused especially dont doesnt do kids disgusts disgusting discontinue disappointed direction different differences didnt deteriorated declined decisions death deal days don double changed drain entertainment entertaining enough end emails email elsewhere else eliminating el edge easily earlier each duplicate due drastically day daughter date damn company coming come combining combine college climbing climb city choose choice cheaper charging charges charged charge changes compared compromised consider covid dad cutting cut currently current currency credit courtesy consolidating country cost continuous continues continue continously constantly divorce loyal last states started squeeze spouses spouse spending spend span sorry soon son something someone some so situation single since starting stay later stealing temporarily taste talk taking system switching support summer success subscriptions subscribers subscriber sub stranger stopped stop stepdad significant signaling sign sight scales saving save same run rules rule rotating risen rise ripped right ridiculous return retiring retired resume scaling second secure settled sick shoves short she share shady several set see servicio services series sense selection seen seems temporary terrible than vaccine whats what were went well weeks week way waste was warrant wants wanted want waiting wait vs when who wife wouldn youll yet years yearly year yall ya would willing worth workable work wont won without with virtue ut thank using town tooo told today tired tipped times time tightening tight throughout think thing these thats that thanks tried try trying until uses users used use upward upcoming up unnecessary twice unfortunately unfair unemployed understand under unable two resubscribe restriction restrict merge nice news never needed must multiple much moving move months monthly month monetary moment mom mistake mind no non nonesence on opportunity opening ontario only oneday one once ok nonsense often offset offered offer notified nothing not might memberships options membership location ll living live limiting limited limit like life letting let lesser legacy left leave learning layoff locations lol long making members member medical means maybe may married makes longer make made loyalty lower lost losing looking option or restart prefer rather rates raising raises raised raise quickly putting put pushed profits profit profiles problem pricing prices president re
Topic 14 | Coherence=-226464.76 | Top words= you for to pay are me charge that youre its will disgusting it greedy taste about extortion family company good want the different but bill not subscriptions sharing only this if just have bye fact email months consider again come back issue rectifying give makes reactivate never forever guys no people from charging because something stop they prices keep got declined been cant legacy respect run members new more card what can after fair take dont allow under bills restart break yearly eliminating is prefer monthly biased customers politically month acceptance anymore great greed grandkids gonna gouging gotten allowed gone going almost all biggest alarming hardly health he having havent againlater agree has hard hacked happy hand half had hacking go hackednot goes gf given financially food focused flat fixed fix first financial already finally fiance few amounts feet fees amount forcing amercian forth free frequent am fuel future games garbage gas get getting her girl also help hiking high interested join job access jacking itself account accounts issues acct isnt activities isn iny added intolerable joint justify keeping layoff lesser less absurd left leave learning later keeps last laid lack kids kidding kept into instead higher inflation hungry huge how households adicional household house hosehold afford horrible holder history fee hikes hike addtional addresses husband addition increments increasses increasing increases increased adding increase idea income in improvements im ill additional feel and fault compared coming awhile combining combine college climbing climb city choose choice bank checking cheaper barely charges away competitive far compromised courtesy country costs cost continuous continues continue continually continously constantly constant consolidating aunt automatically connected charged be changing changes better by between bf business buggin budget biannually broke boyfriend both blindly bit billings billing benefits benefit being becoming became changed change cell caused caring cared cancel care before begin cannot cancelling canceling covid credit creep drain enough end any emails elsewhere else el edge easily earlier each duplicate due anyways drive entertaining entertainment especially another fan an biden annually face extra expensive euro expenses expected everything every even anticonsumer drastically down currency double decisions death deal days day daughter date damn dad cutting cut customer currently current at as delivering deteriorated disgusts letting done don doesnt do divorce aparently didnt discontinue disappointed direction apps aren differences let loyal life spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son someone some stopped stopping stranger stupid thanks thank than terrible temporary temporarily talk taking system switching support summer success subscription subscribers subscriber sub so single their save seen seems see secure second scaling scales saving same since rules rule rotating rising risen rise ripped right selection sense series service significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services thats there like way when whats were went well weeks week we waste vaccine was warrant wants wanted waiting wait vs virtue where while who why youll yet years year yall ya wouldn would worth workable work wont won without with willing wife value ut these tipped tried tracking town tooo too told today tired times using time tightening tight throughout through think things thing try trying twice two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable ridiculous return retiring news now notified nothing nonsense nonesence non nice next newest money needed need my must multiple much moving moved of off offer offered others other original or options option opportunity opening opened ontario oneday one once on ok often offset move monetary retired lol your lower lost losing loose looking longer long locations moment location ll living live little limiting limited limit loyalty luck made make mom mistake mind might merge memberships membership member medical means maybe may married market many manservices making our out outside raise reality re rather rates rate raising raises raised quickly over quality putting put pushed provider profits profit profiles really reason recent
Topic 15 | Coherence=-237422.75 | Top words= prices your to year are you has like raising company and after price ill of will the or other for increasing far biannually entertaining consider seems much raised be too increases options many months just need back not hike fees stop keep that it money since in long month gone end drastically deteriorated span move payment was worth me cancel member customer return rules anymore renewing rate high selection else while tired offset each way increasses put constantly into really every budget differences later this some good tightening any improvements success with againlater subscribers canceling without because playing games popular series wait rotating please several few weeks something disgusts youll discontinue loyal awhile addtional soon join resume rising monthly divorce greed second prescription horrible forever membership city rejoin combining pricing job got gonna amercian amounts an going gotten goes amount card gouging grandkids given am great greedy guys hacked hackednot hacking had half hand happy go gas give financial focused flat fixed fix first financially apps girl finally fiance aren feet as feel food aparently forcing forth free frequent from fuel future anyways anticonsumer another annually garbage get getting gf also havent hard activities interested instead inflation increments accounts acct increased hardly added increase income adding addition im account intolerable access iny is isn isnt issue issues acceptance its itself jacking absurd joint about justify additional addresses if higher already almost have fault allowed having allow all alarming he health help her agree again idea hikes hiking afford history holder adicional hosehold house household households how huge hungry husband fee fair at continues courtesy country costs cost break continuous continue daughter continually continously broke constant consolidating buggin covid boyfriend credit both creep blindly currency current currently bit customers cut cutting dad bills damn billings connected compromised competitive charging care cared cannot caring caused cell change changed changes cancelling changing charge charged charges cheaper compared checking choice choose climb climbing can college combine bye by come coming but business date day fan email bank barely became enough becoming emails elsewhere days been before eliminating el edge easily entertainment especially euro even away everything expected expenses expensive extortion extra face fact cant automatically aunt family begin earlier being biased deal billing death decisions declined delivering bill didnt biggest different keeping disappointed biden disgusting bf benefit do doesnt don done dont double down drain between better drive due duplicate benefits direction youre keeps signaling stealing stay states starting started start squeeze spouses spouse spending spend sorry son someone so situation single stepdad stopped stopping system terrible temporary temporarily taste talk taking take switching stranger support summer subscriptions subscription subscriber sub stupid significant sign reside sight saving save same run rule risen rise ripped right ridiculous retiring retired resubscribe restriction restrict restart respect scales scaling secure share sick shoves shouldn should short she sharing shady see settled set servicio services service sense seen than thank thanks thats went well week we waste warrant wants wanted want waiting vs virtue value vaccine ut using uses were what whats workable yet years yearly yall ya wouldn would work when wont won willing wife why who where users used use throughout tooo told today tipped times time tight through tracking think things thing they these there their town tried us unfortunately upward upping upcoming up until unneeded unnecessary unfair try unemployed understand under unable two twice trying residence repurposing kept married must multiple moving moved more monetary moment mom mistake mind might merge memberships members medical means maybe my needed never nothing ok often offered offer off now notified nonsense new nonesence non no nice next news newest may market replace manservices limited limit life letting let lesser less legacy left leave learning layoff last laid lack kids kidding limiting little live lost making makes make made luck loyalty lower losing living loose looking longer lol locations location ll on once one oneday putting pushed provider profits profit profiles problem president prefer preemptively power possible por pop politically political policy
 33%|███▎      | 16/48 [38:55<1:36:44, 181.40s/it]
Topic 16 | Coherence=-244496.10 | Top words= prices too for and keep it now services raising better expensive people reason kept other cheaper gonna im out so your was youre using if you are charge only charging that not many extra is subscription new the me worth much have charges no added with raised service unfortunately upward increases getting anymore money damn stop rules to on raise already right stupid of these lost everything its vs nonsense thanks life rule restriction later continously maybe others never options offer lesser times itself mind greedy continue offered yall girl ya workable increased whats benefits pleased longer policies nothing cant use pay as hackednot overpriced secure again else easily adding often been platforms second prefer hikes prescription before learning amount at locations apps from frequent jacking free future forth games fuel feel garbage fact extortion gas get issues issue just isnt isn iny face forever job fee join fees feet fault far few fiance finally fan financial financially first fix family about flat focused food joint acct accounts fair forcing fixed house gf intolerable happy in improvements hard hardly has absurd havent having acceptance he ill health help her high idea higher hike hiking history holder horrible husband hungry hosehold huge how households income hand expenses instead give given go household goes going into gone account good got gotten interested inflation half gouging increments access grandkids increasses increasing great greed guys hacked increase hacking had afford each expected can by but business buggin budget broke break boyfriend both blindly bit bills billings billing bill biggest biden bye cancel every canceling city choose choice checking charged changing changes changed change cell caused caring cared care card cannot cancelling biased biannually bf between anticonsumer another annually addtional an amounts amercian adicional am also almost allowed allow all alarming agree againlater any anyways aparently became additional addresses benefit being begin becoming because be aren barely bank back awhile away automatically aunt climb climbing college delivering drain down double dont done don doesnt justify divorce disgusts disgusting discontinue disappointed direction different differences didnt drastically drive due emails even euro especially entertainment entertaining enough end activities duplicate email elsewhere eliminating el edge earlier after deteriorated declined combine decisions cost continuous continues continually constantly constant consolidating consider connected compromised competitive compared addition company coming come combining costs country courtesy cutting death deal days day daughter date dad cut covid customers customer currently current currency creep credit do loyal keeping than stay states starting started start squeeze spouses spouse spending spend span sorry soon son something someone some stealing stepdad stopped switching temporary temporarily taste talk taking take system support stopping summer success subscriptions subscribers subscriber sub stranger situation single since run seems see scaling scales saving save same rotating selection rising risen rise ripped ridiculous return retiring seen sense significant short signaling sign sight sick shoves shouldn should she series sharing share shady several settled set servicio terrible thank keeps thats were went well weeks week we way waste warrant wants wanted want waiting wait virtue value vaccine what when where work youll yet years yearly year wouldn would wont while won without willing will wife why who ut uses users throughout told today tired tipped time tightening tight through town this think things thing they there their tooo tracking used unfair us upping upcoming up until unneeded unnecessary unemployed tried understand under unable two twice trying try retired resume resubscribe restrict multiple moving moved move more months monthly month monetary moment mom mistake might merge memberships membership members must my need offset opening opened ontario oneday one once ok off needed notified nonesence non nice next news newest member medical means legacy limiting limited limit like letting let less left live leave layoff last laid lack kids kidding little living may luck married market manservices making makes make made loyalty ll lower losing loose looking long lol location opportunity option or quality reactivate re rather rates rate raises quickly putting really put pushed provider profits profit profiles problem
Average topic coherence for the top words is -234649.4316335999
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.75it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.73it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.72it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.71it/s]
 10%|█         | 5/50 [00:00<00:07,  5.71it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.70it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.71it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.71it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.70it/s]
 20%|██        | 10/50 [00:01<00:07,  5.70it/s]
 22%|██▏       | 11/50 [00:01<00:06,  5.70it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.70it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.70it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.69it/s]
 30%|███       | 15/50 [00:02<00:06,  5.71it/s]
 32%|███▏      | 16/50 [00:02<00:05,  5.70it/s]
 34%|███▍      | 17/50 [00:02<00:05,  5.71it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.71it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.71it/s]
 40%|████      | 20/50 [00:03<00:05,  5.75it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.73it/s]
 44%|████▍     | 22/50 [00:03<00:04,  5.73it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.71it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.68it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.69it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.70it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.67it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  5.67it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.60it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.62it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.64it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.64it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.66it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  5.67it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.68it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.70it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.72it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.70it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  5.71it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.71it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.70it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.70it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.73it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.70it/s]
 90%|█████████ | 45/50 [00:07<00:00,  5.66it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.68it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.68it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.70it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.69it/s]
100%|██████████| 50/50 [00:08<00:00,  5.69it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:06,  7.19it/s]
  4%|▍         | 2/50 [00:00<00:06,  7.13it/s]
  6%|▌         | 3/50 [00:00<00:06,  7.04it/s]
  8%|▊         | 4/50 [00:00<00:06,  7.00it/s]
 10%|█         | 5/50 [00:00<00:06,  7.04it/s]
 12%|█▏        | 6/50 [00:00<00:06,  7.02it/s]
 14%|█▍        | 7/50 [00:00<00:06,  7.06it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.99it/s]
 18%|█▊        | 9/50 [00:01<00:05,  6.99it/s]
 20%|██        | 10/50 [00:01<00:05,  7.01it/s]
 22%|██▏       | 11/50 [00:01<00:05,  7.02it/s]
 24%|██▍       | 12/50 [00:01<00:05,  7.04it/s]
 26%|██▌       | 13/50 [00:01<00:05,  7.01it/s]
 28%|██▊       | 14/50 [00:01<00:05,  7.02it/s]
 30%|███       | 15/50 [00:02<00:04,  7.03it/s]
 32%|███▏      | 16/50 [00:02<00:04,  7.05it/s]
 34%|███▍      | 17/50 [00:02<00:04,  7.06it/s]
 36%|███▌      | 18/50 [00:02<00:04,  7.04it/s]
 38%|███▊      | 19/50 [00:02<00:04,  7.05it/s]
 40%|████      | 20/50 [00:02<00:04,  7.03it/s]
 42%|████▏     | 21/50 [00:02<00:04,  7.05it/s]
 44%|████▍     | 22/50 [00:03<00:03,  7.03it/s]
 46%|████▌     | 23/50 [00:03<00:03,  7.01it/s]
 48%|████▊     | 24/50 [00:03<00:03,  7.05it/s]
 50%|█████     | 25/50 [00:03<00:03,  7.06it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  7.09it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  7.06it/s]
 56%|█████▌    | 28/50 [00:03<00:03,  7.07it/s]
 58%|█████▊    | 29/50 [00:04<00:02,  7.05it/s]
 60%|██████    | 30/50 [00:04<00:02,  7.06it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  7.08it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  7.11it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  7.09it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  7.05it/s]
 70%|███████   | 35/50 [00:04<00:02,  7.04it/s]
 72%|███████▏  | 36/50 [00:05<00:01,  7.06it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  7.07it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  7.09it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  7.08it/s]
 80%|████████  | 40/50 [00:05<00:01,  7.02it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  7.00it/s]
 84%|████████▍ | 42/50 [00:05<00:01,  7.00it/s]
 86%|████████▌ | 43/50 [00:06<00:00,  7.01it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  7.02it/s]
 90%|█████████ | 45/50 [00:06<00:00,  7.00it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  7.02it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  7.03it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  7.00it/s]
 98%|█████████▊| 49/50 [00:06<00:00,  7.03it/s]
100%|██████████| 50/50 [00:07<00:00,  7.04it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:12,  3.82it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.81it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.78it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.81it/s]
 10%|█         | 5/50 [00:01<00:11,  3.80it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.80it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.80it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.80it/s]
 18%|█▊        | 9/50 [00:02<00:10,  3.81it/s]
 20%|██        | 10/50 [00:02<00:10,  3.82it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.80it/s]
 24%|██▍       | 12/50 [00:03<00:09,  3.80it/s]
 26%|██▌       | 13/50 [00:03<00:09,  3.79it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.78it/s]
 30%|███       | 15/50 [00:03<00:09,  3.76it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.77it/s]
 34%|███▍      | 17/50 [00:04<00:08,  3.76it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.77it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.79it/s]
 40%|████      | 20/50 [00:05<00:07,  3.79it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.80it/s]
 44%|████▍     | 22/50 [00:05<00:07,  3.79it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.79it/s]
 48%|████▊     | 24/50 [00:06<00:06,  3.79it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.80it/s]
 52%|█████▏    | 26/50 [00:06<00:06,  3.79it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.79it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.80it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.80it/s]
 60%|██████    | 30/50 [00:07<00:05,  3.81it/s]
 62%|██████▏   | 31/50 [00:08<00:04,  3.82it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.80it/s]
 66%|██████▌   | 33/50 [00:08<00:04,  3.79it/s]
 68%|██████▊   | 34/50 [00:08<00:04,  3.77it/s]
 70%|███████   | 35/50 [00:09<00:03,  3.79it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.82it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.78it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.79it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.80it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.81it/s]
 82%|████████▏ | 41/50 [00:10<00:02,  3.81it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.81it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.81it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.81it/s]
 90%|█████████ | 45/50 [00:11<00:01,  3.79it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.81it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.82it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  3.81it/s]
 98%|█████████▊| 49/50 [00:12<00:00,  3.82it/s]
100%|██████████| 50/50 [00:13<00:00,  3.80it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:16,  2.90it/s]
  4%|▍         | 2/50 [00:00<00:16,  2.91it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.87it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.87it/s]
 10%|█         | 5/50 [00:01<00:15,  2.86it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.89it/s]
 14%|█▍        | 7/50 [00:02<00:14,  2.90it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.91it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.91it/s]
 20%|██        | 10/50 [00:03<00:13,  2.92it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.91it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.90it/s]
 26%|██▌       | 13/50 [00:04<00:12,  2.91it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.91it/s]
 30%|███       | 15/50 [00:05<00:12,  2.90it/s]
 32%|███▏      | 16/50 [00:05<00:11,  2.89it/s]
 34%|███▍      | 17/50 [00:05<00:11,  2.88it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.87it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.89it/s]
 40%|████      | 20/50 [00:06<00:10,  2.89it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.90it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.90it/s]
 46%|████▌     | 23/50 [00:07<00:09,  2.91it/s]
 48%|████▊     | 24/50 [00:08<00:08,  2.92it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.91it/s]
 52%|█████▏    | 26/50 [00:08<00:08,  2.90it/s]
 54%|█████▍    | 27/50 [00:09<00:07,  2.91it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.89it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.90it/s]
 60%|██████    | 30/50 [00:10<00:06,  2.91it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.91it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.92it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  2.90it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  2.91it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.90it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.90it/s]
 74%|███████▍  | 37/50 [00:12<00:04,  2.91it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.93it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.93it/s]
 80%|████████  | 40/50 [00:13<00:03,  2.93it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.93it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.93it/s]
 86%|████████▌ | 43/50 [00:14<00:02,  2.92it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.92it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.92it/s]
 92%|█████████▏| 46/50 [00:15<00:01,  2.92it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.93it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.91it/s]
 98%|█████████▊| 49/50 [00:16<00:00,  2.92it/s]
100%|██████████| 50/50 [00:17<00:00,  2.91it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:25,  1.93it/s]
  4%|▍         | 2/50 [00:01<00:24,  1.94it/s]
  6%|▌         | 3/50 [00:01<00:24,  1.93it/s]
  8%|▊         | 4/50 [00:02<00:23,  1.93it/s]
 10%|█         | 5/50 [00:02<00:23,  1.93it/s]
 12%|█▏        | 6/50 [00:03<00:22,  1.93it/s]
 14%|█▍        | 7/50 [00:03<00:22,  1.92it/s]
 16%|█▌        | 8/50 [00:04<00:21,  1.93it/s]
 18%|█▊        | 9/50 [00:04<00:21,  1.91it/s]
 20%|██        | 10/50 [00:05<00:20,  1.91it/s]
 22%|██▏       | 11/50 [00:05<00:20,  1.92it/s]
 24%|██▍       | 12/50 [00:06<00:19,  1.92it/s]
 26%|██▌       | 13/50 [00:06<00:19,  1.92it/s]
 28%|██▊       | 14/50 [00:07<00:18,  1.92it/s]
 30%|███       | 15/50 [00:07<00:18,  1.93it/s]
 32%|███▏      | 16/50 [00:08<00:17,  1.93it/s]
 34%|███▍      | 17/50 [00:08<00:17,  1.93it/s]
 36%|███▌      | 18/50 [00:09<00:16,  1.93it/s]
 38%|███▊      | 19/50 [00:09<00:16,  1.92it/s]
 40%|████      | 20/50 [00:10<00:15,  1.91it/s]
 42%|████▏     | 21/50 [00:10<00:15,  1.92it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.92it/s]
 46%|████▌     | 23/50 [00:11<00:14,  1.92it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.93it/s]
 50%|█████     | 25/50 [00:12<00:12,  1.93it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.93it/s]
 54%|█████▍    | 27/50 [00:14<00:11,  1.93it/s]
 56%|█████▌    | 28/50 [00:14<00:11,  1.92it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.91it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.91it/s]
 62%|██████▏   | 31/50 [00:16<00:09,  1.91it/s]
 64%|██████▍   | 32/50 [00:16<00:09,  1.91it/s]
 66%|██████▌   | 33/50 [00:17<00:08,  1.90it/s]
 68%|██████▊   | 34/50 [00:17<00:08,  1.91it/s]
 70%|███████   | 35/50 [00:18<00:07,  1.92it/s]
 72%|███████▏  | 36/50 [00:18<00:07,  1.91it/s]
 74%|███████▍  | 37/50 [00:19<00:06,  1.92it/s]
 76%|███████▌  | 38/50 [00:19<00:06,  1.92it/s]
 78%|███████▊  | 39/50 [00:20<00:05,  1.92it/s]
 80%|████████  | 40/50 [00:20<00:05,  1.91it/s]
 82%|████████▏ | 41/50 [00:21<00:04,  1.91it/s]
 84%|████████▍ | 42/50 [00:21<00:04,  1.92it/s]
 86%|████████▌ | 43/50 [00:22<00:03,  1.91it/s]
 88%|████████▊ | 44/50 [00:22<00:03,  1.91it/s]
 90%|█████████ | 45/50 [00:23<00:02,  1.91it/s]
 92%|█████████▏| 46/50 [00:23<00:02,  1.91it/s]
 94%|█████████▍| 47/50 [00:24<00:01,  1.91it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.91it/s]
 98%|█████████▊| 49/50 [00:25<00:00,  1.90it/s]
100%|██████████| 50/50 [00:26<00:00,  1.92it/s]

100%|██████████| 50/50 [00:00<00:00, 1562.67it/s]
Topic 0 | Coherence=-233551.11 | Top words= price the and your of for to out increase hike charging hikes are subscription prices too newest many has people was is an since selection up months like just member share gone that extra lack drastically deteriorated span in getting will continue how hand go tracking their they cancel even rate dont year or squeeze keep at try yet reality everything sorry now offset earlier each increasses far oneday charge acceptance you recent am got went more happy same absurd work starting justify became can agree have limited budget residence daughter moment last raise annually moving spending ridiculous political enough willing account death town holder declined why temporary virtue else living signaling cant didnt much resume be right expected rather must issue feet few forcing into food focused fiance intolerable finally isnt iny flat fixed financial fix financially first isn fees fan feel fee entertainment especially euro kidding kept keeps every keeping joint join job expenses expensive jacking extortion itself face its fact it fair family forth issues fault forever fuel free half idea greed greedy husband guys hungry huge households household hacked hackednot hacking had house frequent hosehold hard entertaining horrible history hiking havent higher high having he health help if ill great grandkids from her future games garbage gas get interested instead inflation increments gf girl give increasing given increases goes going increased income gonna good improvements im gotten gouging hardly youre end caring biggest biden biased biannually bf between better benefits benefit being begin before been becoming because barely bank bill billing billings but care card cannot cancelling canceling bye by business bills buggin broke break boyfriend both blindly bit back awhile away additional againlater again after afford adicional addtional addresses addition all adding added activities acct accounts access about alarming allow automatically any aunt as aren apps aparently anyways anymore anticonsumer allowed another amounts amount amercian also already almost cared caused emails cell disappointed kids different differences delivering decisions deal days day date damn dad cutting cut customers customer currently discontinue disgusting disgusts due email elsewhere eliminating el edge easily duplicate drive divorce drain down double done don doesnt do current currency creep choice combining combine college climbing climb city choose checking coming cheaper charges charged changing changes changed change come company credit continually covid courtesy country costs cost continuous continues continously compared constantly constant consolidating consider connected compromised competitive direction loyal laid stealing states started start spouses spouse spend soon son something someone some so situation single significant sign sight stay stepdad later stop taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping stopped sick shoves shouldn should save run rules rule rotating rising risen rise ripped return retiring retired resubscribe restriction restrict restart respect saving scales scaling servicio short she sharing shady several settled set services second service series sense seen seems see secure temporarily terrible than uses were well weeks week we way waste warrant wants wanted want waiting wait vs value vaccine ut what whats when worth youll years yearly yall ya wouldn would workable where wont won without with wife who while using users thank used today tired tipped times time tightening tight throughout through this think things thing these there thats thanks told tooo tried unnecessary use us upward upping upcoming until unneeded unfortunately trying unfair unemployed understand under unable two twice reside repurposing replace members never needed need my multiple moved move monthly month money monetary mom mistake mind might merge memberships new news next offer only one once on ok often offered off nice notified nothing not nonsense nonesence non no membership medical opened means locations location ll live little limiting limit life letting let lesser less legacy left leave learning layoff lol long longer makes me maybe may married market manservices making make looking made luck loyalty lower lost losing loose ontario opening rent politically putting put pushed provider profits profit profiles problem pricing president prescription prefer preemptively power possible por popular quality
Topic 1 | Coherence=-236596.08 | Top words= the subscription now your you using people better im keep services other reason raising for gonna cheaper kept youre only was that so if out charge charging many price why access extra will it good increments luck be am canceling greed we money where my on when going don as through divorce another wife courtesy left back want resume thank bank spending spend done changing share thats states news moving phone provider creep keeps their family less few more country tracking get cutting own cant right increases work aren let gouging all gone allow alarming agree got goes gotten go againlater again grandkids afford havent have has hardly hard happy hand half great had hacking after hackednot hacked guys greedy given between give flat fix first financially financial finally fiance feet fees feel fee fault far fan also amercian fixed focused girl food getting gas garbage allowed games future fuel almost from frequent free forth forever forcing already gf he adicional job itself its account accounts acct issues issue isnt isn is activities iny intolerable into interested jacking join having joint leave learning layoff later last laid lack kids kidding about absurd keeping acceptance justify just instead inflation added increasses addresses hosehold horrible holder history hiking addtional hikes hike higher high her help health fact house household households adding increasing increased increase income in improvements ill additional addition idea husband hungry huge how fair amounts face aunt climbing climb city choose choice checking away awhile barely charges charged became because changes changed automatically college cell combine continually continously constantly constant consolidating consider connected compromised competitive at compared company coming come combining change caused continues benefit broke break boyfriend both blindly bit benefits bills billings billing bill biggest biden biased biannually budget being becoming begin caring cared care card cannot cancelling been cancel can bye by but business before buggin continue continuous amount elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont and email anticonsumer emails extortion bf expensive expenses expected everything every even euro especially an entertainment entertaining enough end annually doesnt cost day date damn dad cut customers customer currently current currency aparently apps credit covid are costs daughter days do deal any anymore anyways disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death disgusts loyal legacy sorry stay starting started start squeeze spouses spouse span soon restrict son something someone some situation single since significant stealing stepdad stop stopped temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping signaling sign sight second scales saving save same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resubscribe scaling secure sick see shoves shouldn should short she sharing shady several settled set servicio service series sense selection seen seems temporary terrible than what went well weeks week way waste warrant wants wanted waiting wait vs virtue value vaccine ut uses were whats used while youll yet years yearly year yall ya wouldn would worth workable wont won without with willing who users use thanks tooo told today to tired tipped times time tightening tight throughout this think things thing they these there too town us tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try restriction restart lesser must no nice next newest new never needed need multiple respect much moved move months monthly month monetary moment non nonesence nonsense not option opportunity opening opened ontario oneday one once ok often offset offered offer off of notified nothing mom mistake mind lost loose looking longer long lol locations location ll living live little limiting limited limit like life letting losing lower might loyalty merge memberships membership members member medical means me maybe may married market manservices making makes make made options or original re rates rate raises raised raise quickly quality putting put pushed profits profit profiles problem pricing prices president rather reactivate prefer
Topic 2 | Coherence=-234117.24 | Top words= charge and to re my going she your you extra is worth ut sign in college anyways daughter uses for thank no when bye it not good me subscription money that away passed kids another the more about city unfair prices intolerable this back live too with hacked account entertainment rise fuel cut costs owner having taking had someone mom business of paying fix even these hard piracy on allow power hacking over owning parent how has acct bill idea person aunt family limit fair president food disappointed company retiring keeps break bit boyfriend months garbage face last leave gas get getting extortion gf girl laid expensive future give expenses given expected lack everything go goes every kidding left games fan fact focused few finally financial learning layoff financially first feet kept fixed flat fees fiance forcing feel forever forth free frequent from fee fault far later increasses gouging gone into its issues issue isnt hiking history holder horrible isn hosehold house household households iny huge keeping interested hungry husband if instead ill im inflation improvements increments income increase increased increases itself hikes hike higher gonna keep got gotten increasing grandkids great greed greedy justify guys just joint hackednot half hand happy hardly join have havent job he health help euro her high jacking youre done especially benefits billing biggest biden biased biannually bf between better benefit changed being begin before been becoming because became be billings bills blindly both cell caused caring cared care card cant cannot cancelling canceling cancel can by but buggin budget broke barely bank awhile all agree againlater again after afford adicional addtional addresses additional addition adding added activities accounts access acceptance absurd alarming allowed automatically almost at as aren are apps aparently anymore any anticonsumer annually an amounts amount amercian am also already change changes entertaining different don doesnt do divorce disgusts disgusting discontinue direction differences changing didnt deteriorated delivering declined decisions death deal days less dont double down enough end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain day date damn consolidating connected compromised competitive compared coming come combining combine climbing climb choose choice checking cheaper charging charges charged consider constant dad constantly cutting customers customer currently current currency creep credit covid courtesy country cost continuous continues continue continually continously legacy loyal lesser spouses stepdad stealing stay states starting started start squeeze spouse thats spending spend span sorry soon son something some stop stopped stopping stranger than terrible temporary temporarily taste talk take system switching support summer success subscriptions subscribers subscriber sub stupid so situation single selection seems see secure second scaling scales saving save same run rules rule rotating rising risen ripped right seen sense since series significant signaling sight sick shoves shouldn should short sharing share shady several settled set servicio services service thanks their let way whats what were went well weeks week we waste there was warrant wants wanted want waiting wait vs where while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife virtue value vaccine try tracking town tooo told today tired tipped times time tightening tight throughout through think things thing they tried trying using twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two ridiculous return retired needed nonesence non nice next news newest new never need resume must multiple much moving moved move monthly month nonsense nothing notified now or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off monetary moment mistake loyalty lost losing loose looking longer long lol locations location ll living little limiting limited like life letting lower luck mind made might merge memberships membership members member medical means maybe may married market many manservices making makes make original other others recently reason really reality reactivate rather rates rate raising raises raised raise quickly quality putting put pushed provider recent recession profit
Topic 3 | Coherence=-231533.71 | Top words= the price to is for not this you are good me fact that no months increase once increases and raised come will your bye back have it only shady tried again in almost offer cancel used consider few if dont email issue reactivate rectifying makes forever give never with ill pay money also like longer budget want enough ridiculous value tight try worth willing options support stop great been system rates addtional its cost something changes policy workable run legacy customer respect upcoming members youll into frequent do agree spending times return wait can twice gouging may throughout history justify disappointed caused raises users sub saving news new using biggest future thing restart possible finally keep fiance financial instead flat financially first fix fixed focused food interested increased forcing forth free from fuel feet fair fees expected emails end entertaining entertainment especially increments kept euro increasses even every everything keeps feel increasing expenses expensive extortion extra face keeping family fan far fault fee income girl games had husband itself hand happy hard elsewhere isnt hungry hardly has huge how havent having he health help her high households household higher hike house hikes hiking issues hosehold holder half hacking garbage jacking gas get just getting gf horrible joint intolerable given go goes going improvements gone im gonna iny join got gotten idea grandkids isn job inflation greedy guys hacked hackednot greed youre else bill biased biannually bf between better benefits benefit being begin before becoming because became be barely bank awhile biden billing eliminating billings care card cant cannot cancelling canceling by but business buggin broke break boyfriend both blindly bit bills away automatically aunt at againlater after afford adicional addresses additional addition adding added activities acct accounts account access acceptance absurd about alarming all allow anticonsumer as aren apps aparently anyways anymore any another allowed annually an amounts amount amercian am already cared caring cell customers different differences kids didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting direction discontinue disgusting drive el edge easily earlier each duplicate due drastically disgusts drain down double done don doesnt divorce cut currently change current coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changed company compared competitive continuous currency creep credit covid courtesy country costs continues compromised continue continually continously constantly constant consolidating connected kidding loyal lack spouses spend span sorry soon son someone some so situation single since significant signaling sign sight sick shoves spouse squeeze laid start switching summer success subscriptions subscription subscribers subscriber stupid stranger stopping stopped stepdad stealing stay states starting started shouldn should short she rules rule rotating rising risen rise ripped right retiring retired resume resubscribe restriction restrict residence reside repurposing same save scales service sharing share several settled set servicio services series scaling sense selection seen seems see secure second take taking talk use were went well weeks week we way waste was warrant wants wanted waiting vs virtue vaccine ut what whats when would yet years yearly year yall ya wouldn work where wont won without wife why who while uses us taste upward tipped time tightening through think things they these there their thats thanks thank than terrible temporary temporarily tired today told unemployed upping up until unneeded unnecessary unfortunately unfair understand too under unable two trying tracking town tooo replace rent renewing member must multiple much moving moved move more monthly month monetary moment mom mistake mind might merge memberships my need needed of one on ok often offset offered off now newest notified nothing nonsense nonesence non nice next membership medical ontario means living live little limiting limited limit life letting let lesser less left leave learning layoff later last ll location locations made maybe married market many manservices making make luck lol loyalty lower lost losing loose looking long oneday opened remarried policies pushed provider profits profit profiles problem pricing prices president prescription prefer preemptively power por popular pop politically put
Topic 4 | Coherence=-231481.08 | Top words= hikes you price greedy also the to extra charging your many not subscriptions past way fan years over share few because money of my with in it moved who already no someone through provider hike sight rise too keeps subscriber like am sharing has service continues end son getting stopping is are connected what cell hungry seen damn used job as increasing same gonna free frequent gone given from going goes fuel future go games give garbage gas get girl gf forth youre forever fair face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough emails email elsewhere else fact family forcing far for food focused flat fixed fix first financially got financial finally fiance feet fees feel fee fault good hardly gotten just join jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses increases joint justify gouging keep letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeping increased increase income improvements he having havent have el hard happy hand half had hacking hackednot hacked guys greed great grandkids health help her households im ill if idea husband huge how household high house hosehold horrible holder history hiking higher eliminating disgusts edge begin biased biannually bf between better benefits benefit being before automatically been becoming became be barely bank back awhile biden biggest bill billing canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills billings away aunt cannot adding again after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about againlater agree alarming all aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian almost allowed allow cancelling cant easily day didnt deteriorated delivering declined decisions death deal days daughter creep date dad cutting cut customers customer currently current differences different direction disappointed earlier each duplicate due drive drastically drain down double dont done don doesnt do divorce disgusting discontinue currency credit card charged climbing climb city choose choice checking cheaper charges charge covid changing changes changed change caused caring cared care college combine combining come courtesy country costs cost continuous continue continually continously constantly constant consolidating consider compromised competitive compared company coming life loyal limit spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon something some so stop stranger limited taking thanks thank than terrible temporary temporarily taste talk take stupid system switching support summer success subscription subscribers sub situation single since rising scaling scales saving save run rules rule rotating risen significant ripped right ridiculous return retiring retired resume resubscribe second secure see seems signaling sign sick shoves shouldn should short she shady several settled set servicio services series sense selection that thats their was whats were went well weeks week we waste warrant ut wants wanted want waiting wait vs virtue value when where while why youll yet yearly year yall ya wouldn would worth workable work wont won without willing will wife vaccine using there time tracking town tooo told today tired tipped times tightening uses tight throughout this think things thing they these tried try trying twice users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two restriction restrict restart new nothing nonsense nonesence non nice next news newest never monthly needed need must multiple much moving move more notified now off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered months month others longer made luck loyalty lower lost losing loose looking long monetary lol locations location ll living live little limiting make makes making manservices moment mom mistake mind might merge memberships membership members member medical means me maybe may married market other our respect quality rather rates rate raising raises raised raise quickly putting prescription put pushed profits profit profiles problem pricing prices re reactivate reality really
Topic 5 | Coherence=-232734.28 | Top words= you sharing for to and prices raising are charges up just is keep addition your pricing pay increasing terrible that people of going using keeps want guys the subscription am charging from they something it on stop take cost elsewhere use constantly income fixed business bye because limited talk additional acceptance but change enough lack subscriptions reality recent fault much do membership how hardly need fair quality customers platform even went getting profits another warrant re kidding retired access caring down non fee weeks discontinue several rising continues raised awhile times increases politically biased instead face redo flat broke kids euro allow anymore amount different started about entertainment charge first hiking financially financial fix finally fiance its food issues issue focused isnt forcing forever forth free isn frequent iny fuel few jacking feet extortion leave learning layoff later every last everything laid expected kept expenses expensive keeping fees justify extra fact joint family fan far join job feel future itself intolerable interested games he hand happy hard ill if idea husband hungry has have havent having huge health improvements households help household her high house higher hosehold horrible holder hike history hikes im in into gonna garbage gas get inflation gf increments girl give given go goes increasses gone good half got gotten gouging grandkids great greed greedy increased hacked hackednot hacking increase had youre divorce especially better billing bill biggest biden biannually bf between benefits bills benefit being begin before been becoming became billings bit barely canceling caused cared care card cant cannot cancelling cancel blindly can by buggin budget break boyfriend both be bank changed addtional alarming agree againlater again after afford adicional addresses allowed adding added activities acct accounts account absurd all almost back aparently away automatically aunt at as aren apps anyways already any anticonsumer annually an amounts amercian also cell changes entertaining deteriorated legacy disgusts disgusting disappointed direction differences didnt delivering don declined decisions death deal days day daughter doesnt done damn easily end emails email else eliminating el edge earlier dont each duplicate due drive drastically drain double date dad changing college competitive compared company coming come combining combine climbing connected climb city choose choice checking cheaper charged compromised consider cutting covid cut customer currently current currency creep credit courtesy consolidating country costs continuous continue continually continously constant left loyal less span states starting start squeeze spouses spouse spending spend sorry thats soon son someone some so situation single since stay stealing stepdad stopped thank than temporary temporarily taste taking system switching support summer success subscribers subscriber sub stupid stranger stopping significant signaling sign secure scaling scales saving save same run rules rule rotating risen rise ripped right ridiculous return retiring resume second see sight seems sick shoves shouldn should short she share shady settled set servicio services service series sense selection seen thanks their lesser we while where when whats what were well week way there waste was wants wanted waiting wait vs virtue who why wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value vaccine ut tried town tooo too told today tired tipped time tightening tight throughout through this think things thing these tracking try uses trying users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resubscribe restriction restrict moved newest new never needed my must multiple moving move restart more months monthly month money monetary moment mom news next nice no ontario only oneday one once ok often offset offered offer off now notified nothing not nonsense nonesence mistake mind might lost loose looking longer long lol locations location ll living live little limiting limit like life letting let losing lower merge loyalty memberships members member medical means me maybe may married market many manservices making makes make made luck opened opening opportunity rates raises raise quickly putting put pushed provider profit profiles problem price president prescription prefer preemptively power possible rate rather popular
Topic 6 | Coherence=-237357.17 | Top words= price the you not it increase is keep worth this your but when with customers raising subscription too about customer really every prices year new good increasing and garbage even service of do care was pay seems nothing rate greedy by added am being afford ok used times amount upping as think be can rising willing tired using way up started daughter delivering continually company point little canceling while my opened pricing jacking adding subscribers days value games before paying playing popular duplicate higher mistake huge raise talk living stranger series enough amounts loyal horrible since policies subscriptions isn bye pleased blindly pls hardly lower damn change off happy laid out cant cost much moving allow stopping annually grandkids gouging an gotten got cancel gonna greed gone going another goes great already amercian also given guys almost allowed hacked hackednot hacking had half hand hard all alarming go girl give financial focused flat fixed fix first financially finally food fiance few feet fees aparently feel anyways anymore have future gf getting get gas anticonsumer any fuel for from frequent free forth forever forcing has having agree intolerable issue accounts isnt acct activities iny into havent interested instead inflation increments addition additional account issues access its itself acceptance job join joint just justify absurd keeping keeps kept kidding kids increasses addresses increases hosehold are he health help her high againlater hike hikes hiking history again holder after house increased household households how adicional hungry husband idea if ill im improvements in income addtional apps fee aren continously country costs continuous continues continue billings constantly billing constant consolidating consider connected compromised competitive courtesy bill cancelling biased bf date biannually dad cutting cut biden covid currently current currency biggest creep credit compared bills bit break changes changed boyfriend cell caused caring cared coming broke card budget buggin business cannot changing both charge charged charges charging cheaper checking choice choose city climb climbing college combine combining come day between better entertaining everything back bank euro especially entertainment barely else end became emails email because becoming expected awhile away automatically expenses expensive extortion extra face fact fair aunt family fan far fault at elsewhere eliminating deal different divorce disgusts lack discontinue disappointed direction differences el didnt deteriorated benefits declined decisions death benefit doesnt don done dont double down drain drastically drive due begin each earlier easily been edge disgusting youre last start spouses spouse spending spend span sorry soon son something someone some so situation single significant signaling sign squeeze starting restart states temporarily taste taking take system switching support summer success subscriber sub stupid stopped stop stepdad stealing stay sight sick shoves shouldn save same run rules rule rotating risen rise ripped right ridiculous return retiring retired resume resubscribe restriction saving scales scaling settled should short she sharing share shady several set second servicio services sense selection seen see secure temporary terrible than users were went well weeks week we waste warrant wants wanted want waiting wait vs virtue vaccine ut what whats where would youll yet years yearly yall ya wouldn workable who work wont won without will wife why uses use thank us today to tipped time tightening tight throughout through things thing they these there their thats that thanks told tooo town unemployed upward upcoming until unneeded unnecessary unfortunately unfair understand tracking under unable two twice trying try tried restrict respect later need multiple moved move more months monthly month money monetary moment mom mind might merge memberships membership members must needed residence never one once on often offset offered offer now notified nonsense nonesence non no nice next news newest member medical means me location ll live limiting limited limit like life letting let lesser less legacy left leave learning layoff locations lol long makes maybe may married market many manservices making make longer made luck loyalty lost losing loose looking oneday only ontario possible rates raises raised quickly quality putting put pushed provider profits profit profiles problem president prescription prefer preemptively rather
Topic 7 | Coherence=-229098.81 | Top words= and price you me been money services keeps good more from to dont with changing nonsense benefits continues want climb added in not increase on long keep benefit no why because so is better don for years needed forth do put guys yall down havent stealing fees too this pick market manservices need drive shouldn competitive expenses reducing really charges off laid service adding thank deal uses yet just original re scaling profiles unneeded back temporarily climbing college your stopping right anyways squeeze continuous daughter she monthly bit biggest focused moved before face girl fault far fan give given family fair fact go expensive extra extortion fee expected everything goes going gone gonna every even gf getting feel food forcing forever free frequent flat fixed got fix first financially financial finally fuel future fiance games garbage gas few get feet youre having gotten inflation isnt isn iny intolerable into interested instead increments issues increasses increasing increases increased income improvements im issue it gouging kidding leave learning layoff later last lack kids kept its keeping justify joint join job jacking itself ill if idea half especially have has hardly hard happy hand had husband hacking hackednot hacked greedy greed great grandkids he health help her hungry huge how households household house hosehold horrible holder history hiking hikes hike higher high euro doesnt entertainment billings bill biden biased biannually bf between being begin becoming became be barely bank awhile away automatically aunt billing bills cared blindly card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both at as aren are againlater again after afford adicional addtional addresses additional addition activities acct accounts account access acceptance absurd about agree alarming all an apps aparently anymore any anticonsumer another annually amounts allow amount amercian am also already almost allowed care caring entertaining divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death days day date damn dad disgusts legacy caused done enough end emails email elsewhere else eliminating el edge easily earlier each duplicate due drastically drain double cutting cut customers customer company coming come combining combine city choose choice checking cheaper charging charged charge changes changed change cell compared compromised connected country currently current currency creep credit covid courtesy costs consider cost continue continually continously constantly constant consolidating left loyal less spouses stopped stop stepdad stay states starting started start spouse resume spending spend span sorry soon son something someone stranger stupid sub subscriber that thanks than terrible temporary taste talk taking take system switching support summer success subscriptions subscription subscribers some situation single seems secure second scales saving save same run rules rule rotating rising risen rise ripped ridiculous return retiring see seen since selection significant signaling sign sight sick shoves should short sharing share shady several settled set servicio series sense thats the their whats were went well weeks week we way waste was warrant wants wanted waiting wait vs virtue value what when ut where youll yearly year ya wouldn would worth workable work wont won without willing will wife who while vaccine using there tried town tooo told today tired tipped times time tightening tight throughout through think things thing they these tracking try users trying used use us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand under unable two twice retired resubscribe lesser never nothing nonesence non nice next news newest new my restriction must multiple much moving move months month monetary notified now of offer others other or options option opportunity opening opened ontario only oneday one once ok often offset offered moment mom mistake lost loose looking longer lol locations location ll living live little limiting limited limit like life letting let losing lower mind loyalty might merge memberships membership members member medical means maybe may married many making makes make made luck our out outside reality rather rates rate raising raises raised raise quickly quality putting pushed provider profits profit problem pricing prices reactivate reason prescription
Topic 8 | Coherence=-228085.43 | Top words= and my subscription subscriptions need is one checking too with in married we has two have are got dont other so getting husband don only be expensive moved now an already am why wife canceling luck access consolidating increments memberships house anymore this increase kids will choose made more boyfriend significant stepdad phone life where fiance using after moving own into else between her activities everything household your combining accounts recently needed than people good aparently our adicional multiple family el pagos remarried hacked servicio offered por putting households share spouses merge same costs entertainment lol provider being change constant continuous learning would repurposing new bit free gone given fees go goes feel fee going far fault feet fan fair fact face gonna extra extortion expenses give finally few forcing from fuel future games forth garbage forever gas get for frequent food focused fixed fix first gf financially girl financial flat youre gotten interested issues issue isnt isn iny intolerable instead its inflation increasses increasing increases increased income it itself gouging keeps later last laid lack kidding kept keeping jacking keep justify just joint join job improvements im ill had havent hardly hard happy hand half hacking if hackednot guys greedy greed great grandkids having he health help high higher hike hikes hiking history holder horrible hosehold how huge hungry idea expected double every both bills billings billing bill biggest biden biased biannually bf better benefits benefit begin before been becoming because blindly break changes broke cell caused caring cared care card cant cannot cancelling cancel can bye by but business buggin budget became barely bank back all alarming agree againlater again afford addtional addresses additional addition adding added acct account acceptance absurd about allow allowed almost apps awhile away automatically aunt at as aren anyways also any anticonsumer another annually amounts amount amercian changed changing even done do divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days doesnt down charge drain euro especially entertaining enough end emails email elsewhere eliminating edge easily earlier each duplicate due drive drastically day daughter date damn connected compromised competitive compared company coming come combine college climbing climb city choice cheaper charging charges charged consider constantly continously currency dad cutting cut customers customer currently current creep continually credit covid courtesy country cost continues continue layoff loyal leave stupid stopping stopped stop stealing stay states starting started start squeeze spouse spending spend span sorry soon son stranger sub someone subscriber thats that thanks thank terrible temporary temporarily taste talk taking take system switching support summer success subscribers something some their sense seen seems see secure second scaling scales saving save run rules rule rotating rising risen rise ripped selection series situation service single since signaling sign sight sick shoves shouldn should short she sharing shady several settled set services the there ridiculous whats were went well weeks week way waste was warrant wants wanted want waiting wait vs virtue value what when ut while youll you yet years yearly year yall ya wouldn worth workable work wont won without willing who vaccine uses these tried town tooo told today to tired tipped times time tightening tight throughout through think things thing they tracking try users trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice right return left nothing nonsense nonesence non no nice next news newest never must much move months monthly month money monetary not notified mom of others original or options option opportunity opening opened ontario oneday once on ok often offset offer off moment mistake outside loose longer long locations location ll living live little limiting limited limit like letting let lesser less legacy looking losing mind lost might membership members member medical means me maybe may market many manservices making makes make loyalty lower out over retiring recent really reality reactivate re rather rates rate raising raises raised raise quickly quality put pushed profits profit reason recession problem
Topic 9 | Coherence=-221897.99 | Top words= to have my pay but bill are it youre subscription disgusting extortion taste its is that charge company greedy you so for was subscriptions and extra different family just about not do me after an compromised ill charged card allowed automatically option told credit wanted because bank without at make expensive well doesnt decisions resubscribe making sense business dont service date guys time switching customer unable when billing help all others compared no change cannot multiple today notified think hacked get users another billings stopped prefer often payment yearly problem declined amount need additional anymore job second terrible later given gas go gf give goes girl going getting gone gonna games good garbage food future financial fiance few feet fees feel fee fault far fan fair fact face legacy less expenses finally financially fuel first from frequent free forth forever layoff forcing learning gotten leave focused flat left fixed fix got hardly gouging idea income in improvements im join if husband increased hungry joint huge how households household increase increases hosehold iny itself issues issue isnt isn jacking intolerable increasing into interested instead inflation increments increasses house justify grandkids had kids has hard happy hand half hacking having hackednot lack laid last greed great havent kidding horrible everything holder history keep hiking hikes hike keeping he higher keeps kept high her health expected disgusts every between bit bills biggest biden biased biannually bf better both benefits benefit being begin before been becoming blindly boyfriend be cancelling changed cell caused caring cared care cant canceling break cancel can bye by buggin budget broke became barely changing adding againlater again afford adicional addtional addresses addition added alarming activities acct accounts account access acceptance absurd agree allow back anyways awhile away aunt as aren apps aparently any almost anticonsumer annually amounts amercian am also already changes charges even discontinue drain down double done don divorce let disappointed drive direction differences didnt deteriorated delivering death deal drastically due day email euro especially entertainment entertaining enough end emails elsewhere duplicate else eliminating el edge easily earlier each days daughter charging combine consolidating consider connected competitive coming come combining college constantly climbing climb city choose choice checking cheaper constant continously damn creep dad cutting cut customers currently current currency covid continually courtesy country costs cost continuous continues continue lesser loyal letting sorry started start squeeze spouses spouse spending spend span soon sign son something someone some situation single since significant starting states stay stealing temporary temporarily talk taking take system support summer success subscribers subscriber sub stupid stranger stopping stop stepdad signaling sight life risen saving save same run rules rule rotating rising rise sick ripped right ridiculous return retiring retired resume restriction scales scaling secure see shoves shouldn should short she sharing share shady several settled set servicio services series selection seen seems than thank thanks waste whats what were went weeks week we way warrant thats wants want waiting wait vs virtue value vaccine where while who why youll yet years year yall ya wouldn would worth workable work wont won with willing will wife ut using uses tracking tooo too tired tipped times tightening tight throughout through this things thing they these there their the town tried used try use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice trying restrict restart respect must non nice next news newest new never needed much other moving moved move more months monthly month money nonesence nonsense nothing now or options opportunity opening opened ontario only oneday one once on ok offset offered offer off of monetary moment mom your lost losing loose looking longer long lol locations location ll living live little limiting limited limit like lower loyalty mistake luck mind might merge memberships membership members member medical means maybe may married market many manservices makes made original our residence putting rates rate raising raises raised raise quickly quality put out pushed provider profits profit profiles pricing prices price rather re reactivate
Topic 10 | Coherence=-216534.07 | Top words= back be to will of need break money time on taking month payment end move we subscriptions just off change got for ill enough only subscription is laid country can ll billing summer being waste else outside currently payday get later bit saving would spend learning come hard rather financially cancel rotating play lol sick coming something ripped next households feet combine some one cancelling monetary used might temporarily repurposing rejoin platform own take soon profit week join awhile business divorce layoff continue hand job having gf expenses expensive left extortion extra girl getting give expected fact given go goes everything every even euro especially entertainment going entertaining face flat fair from food fixed fix first forcing financial finally forever forth free frequent fiance few family fees feel fee fault fuel future games garbage far gas fan gone focused kept gonna inflation increasses increasing increases increased increase income in improvements im kidding kids lack if idea husband increments instead huge interested keeping keep justify joint jacking itself its it issues issue isnt isn iny intolerable into hungry how good has leave happy keeps half had hacking hackednot hacked guys greedy greed great grandkids gouging gotten hardly have household havent house hosehold horrible holder history last hiking hikes hike higher high her help health he youre don emails because between better benefits benefit begin before been becoming became cared barely bank away automatically aunt at as aren bf biannually biased biden card cant cannot canceling bye by but buggin budget broke boyfriend both blindly bills billings bill biggest are apps aparently againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree anyways alarming anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed allow all care caring email declined discontinue disappointed direction different differences didnt deteriorated delivering decisions caused death deal days day daughter date damn dad disgusting disgusts do doesnt elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done less cutting cut customers compared combining college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed cell company competitive customer compromised current currency creep credit covid courtesy costs cost continuous continues continually continously constantly constant consolidating consider connected legacy loyal lesser start stopped stop stepdad stealing stay states starting started squeeze these spouses spouse spending span sorry son someone so stopping stranger stupid sub their the thats that thanks thank than terrible temporary taste talk system switching support success subscribers subscriber situation single since selection seems see secure second scaling scales save same run rules rule rising risen rise right ridiculous return seen sense significant series signaling sign sight shoves shouldn should short she sharing share shady several settled set servicio services service there they let way where when whats what were went well weeks was thing warrant wants wanted want waiting wait vs virtue while who why wife youll you yet years yearly year yall ya wouldn worth workable work wont won without with willing value vaccine ut trying tried tracking town tooo too told today tired tipped times tightening tight throughout through this think things try twice using two uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring retired resume my non no nice news newest new never needed must resubscribe multiple much moving moved more months monthly moment nonesence nonsense not nothing original or options option opportunity opening opened ontario oneday once ok often offset offered offer now notified mom mistake mind your lost losing loose looking longer long locations location living live little limiting limited limit like life letting lower loyalty merge luck memberships membership members member medical means me maybe may married market many manservices making makes make made other others our really reactivate re rates rate raising raises raised raise quickly quality putting put pushed provider profits profiles problem reality reason prices
Topic 11 | Coherence=-241268.75 | Top words= to the money need other not much and as have just for price trying save raised high this cut use of way again it prices paying too start dont will before has anymore long fees due enough continues go possible services worth be cost rules back take care first do things like while bills renewing hike us now some losing so up benefit gas my household reduce expenses there no limiting preemptively next spending canceling thanks am rate quickly only date months but subscriptions risen single fuel moved stupid right eliminating made inflation monthly never prescription second tooo medical customers change spend food users prefer waste been platforms redo aren that awhile started deal free forcing from forth forever future games garbage frequent finally focused flat entertainment especially euro even every everything expected expensive extortion extra face fact fair family fan far fault fee feel feet few fiance getting financial financially fix fixed get youre gf improvements increasses increasing increases increased increase income in im instead ill if idea husband hungry huge how increments interested girl itself keeping keep justify joint join job jacking its into issues issue isnt isn is iny intolerable households house hosehold gotten hacked guys greedy greed great grandkids gouging got horrible good gonna gone going goes given give hackednot hacking had entertaining holder history hiking hikes higher her help health he having havent hardly hard happy hand half disappointed end aunt bill biggest biden biased biannually bf between better benefits being begin becoming because became barely bank away billing billings bit bye cared card cant cannot cancelling cancel can by blindly business buggin budget broke break boyfriend both automatically at caused are after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater agree alarming an apps aparently anyways any anticonsumer another annually amounts all amount amercian also already almost allowed allow caring cell emails currently discontinue kept direction different differences didnt deteriorated delivering declined decisions death days day daughter damn dad cutting disgusting disgusts divorce each email elsewhere else el edge easily earlier duplicate doesnt drive drastically drain down double done don customer current changed currency come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes coming company compared continue creep credit covid courtesy country costs continuous continually competitive continously constantly constant consolidating consider connected compromised keeps loyal kidding sick stay states starting squeeze spouses spouse span sorry soon son something someone situation since significant signaling sign stealing stepdad stop support temporary temporarily taste talk taking system switching summer stopped success subscription subscribers subscriber sub stranger stopping sight shoves than shouldn saving same run rule rotating rising rise ripped ridiculous return retiring retired resume resubscribe restriction restrict restart scales scaling secure settled should short she sharing share shady several set see servicio service series sense selection seen seems terrible thank kids virtue where when whats what were went well weeks week we was warrant wants wanted want waiting wait who why wife ya youll you yet years yearly year yall wouldn willing would workable work wont won without with vs value thats vaccine tracking town told today tired tipped times time tightening tight throughout through think thing they these their tried try twice until ut using uses used upward upping upcoming unneeded two unnecessary unfortunately unfair unemployed understand under unable respect residence reside maybe multiple moving move more month monetary moment mom mistake mind might merge memberships membership members member means must needed new offer one once on ok often offset offered off newest notified nothing nonsense nonesence non nice news me may repurposing married little limited limit life letting let lesser less legacy left leave learning layoff later last laid lack live living ll loyalty market many manservices making makes make luck your location lower lost loose looking longer lol locations oneday ontario opened opening quality putting put pushed provider profits profit profiles problem pricing president power por popular pop politically political
Topic 12 | Coherence=-235922.54 | Top words= prices and are year raising too after your many you new other profiles price greedy increasing or much biannually entertaining company for far profit options consider seems last starting ill charge has stop like additional increases it increase services expensive with is issues raised have just added better others do money charges on rates customer than thing who same higher future kept expected hikes stupid gonna fees into reason some subscription rules subscriptions in users of sharing as im put success financial rule gotten cheaper continously restriction youll offer every youre offered lesser anymore up unemployed between personal please having support times whats addition upcoming addtional workable climb these currently damn set family nonesence reside wont under twice later had should lol resume email months restart buggin health spend loyal this start extra warrant expenses was everything waste even euro especially entertainment way enough end emails we extortion face else fact first financially waiting finally fiance few feet want feel fee fault wanted fan wants fair elsewhere eliminating date el disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day disgusts divorce week drive edge easily earlier each duplicate due drastically doesnt drain down double dont done don fix fixed flat hacking us high her help use he used havent uses using hardly hard happy hand half hike upward hiking huge until upping if idea husband hungry how history households household house hosehold horrible holder ut hackednot focused hacked getting get gas garbage games vs fuel from frequent free forth forever forcing wait food gf girl give value guys vaccine greed great grandkids gouging got given good virtue gone going goes go daughter weeks unneeded became barely bank back awhile away automatically aunt at work aren worth apps aparently anyways would be because dad becoming billing bill biggest biden biased willing bf without won benefits benefit being begin before been any anticonsumer another annually adicional yall addresses yearly years adding yet activities acct accounts account access acceptance absurd about afford ya again also wouldn an amounts amount amercian am already againlater almost allowed allow all alarming agree billings bills bit where were constantly constant consolidating what connected compromised competitive compared when coming come combining combine college continually continue continues currency cutting cut customers well went current creep continuous credit covid courtesy country costs cost climbing city blindly choose cannot cancelling canceling cancel can bye by but business will budget broke break boyfriend both cant card care wife choice checking while charging why charged changing cared changes changed change cell caused caring improvements income squeeze raises raise quickly quality putting temporarily pushed provider profits temporary terrible problem pricing thank thanks president taste talk unnecessary rate reflect reducing reduce redo rectifying recession recently recent take really reality reactivate re rather taking prescription prefer preemptively power piracy pick phone thats person per people payment paying payday pay past passed parents parent places platform platforms policy possible por popular pop politically political policies play poland point pls pleased that playing rejoin remarried renewing series sight sick shoves shouldn stay short she stealing share shady several settled stepdad servicio stopped sign signaling significant soon spouses spouse spending started span sorry son since something someone states so situation single service sense rent selection right ridiculous return retiring retired subscribers resubscribe summer restrict switching respect residence system repurposing replace ripped rise risen scales seen stopping see secure second scaling saving rising save stranger run sub subscriber rotating pagos owning owner layoff living live little limiting limited limit told life letting let tooo less legacy left leave ll location locations to making makes make made luck loyalty lower today lost losing loose looking longer long learning town tired tracking issue isnt isn unable iny intolerable understand interested instead inflation increments increasses unfair unfortunately increased two trying its keeping laid lack kids kidding tried keeps keep itself justify try joint join job jacking manservices market own nice once things ok often offset think off through now notified
Topic 13 | Coherence=-231610.44 | Top words= my and subscription in price will to have different the with change use where we me you ridiculous upcoming live increases anticonsumer locations that fee already pay two is has are moving on an or since other cancel want one raising prices putting anymore won he mom bf restrict places membership kids be but between activities both able addresses budget get choose made tipped goes scales continually direction finally selection againlater tightening any improvements differences because return without constantly husband going rejoin once settled amercian poland into fair wants climb spouse fees profits elsewhere joint go gf waste boyfriend family rise sub much monthly news sick buggin opening feet after canceling keeps week next having longer adicional afford great grandkids again gouging gotten gone given got good gonna as future give few fixed fix first financially financial fiance feel girl alarming fault far fan fact face agree flat focused food for forcing forever forth free frequent from fuel greedy games garbage gas getting greed havent guys issue isn access iny intolerable interested instead inflation increments increasses increasing account increased increase income accounts isnt acceptance hacked issues lack about kidding kept keeping keep justify just join job jacking itself absurd its it acct im ill if additional high her help health extortion addtional hardly hard happy hand half had hacking hackednot higher hike addition adding idea added hungry huge how households household hikes house hosehold horrible holder history hiking extra enough all charged changing changes changed am cell caused caring cared care card cant cannot cancelling can bye charge charges amount charging connected compromised competitive compared company coming come combining combine college climbing city choice checking cheaper by business consider benefits being begin before been becoming became apps aren barely bank back awhile away automatically aunt benefit better broke aparently amounts break annually another blindly bit bills billings billing bill biggest biden biased biannually anyways also consolidating allow eliminating edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt el else divorce email expensive expenses expected everything every even euro allowed especially entertainment entertaining at end almost emails do disgusts constant cut customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continously customers cutting disgusting dad last discontinue disappointed didnt deteriorated delivering declined decisions death deal days day daughter date damn laid youre later stealing states starting started start squeeze spouses spending spend span sorry soon son something someone some so situation stay stepdad significant stop temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber stupid stranger stopping stopped single signaling layoff secure scaling saving save same run rules rule rotating rising risen ripped right retiring retired resume resubscribe restriction second see sign seems sight shoves shouldn should short she sharing share shady several set servicio services service series sense seen temporary terrible than whats were went well weeks way was warrant wanted waiting wait vs virtue value vaccine ut using uses what when thank while youll yet years yearly year yall ya wouldn would worth workable work wont willing wife why who users used us upward today tired times time tight throughout through this think things thing they these there their thats thanks told too tooo unemployed upping up until unneeded unnecessary unfortunately unfair understand town under unable twice trying try tried tracking restart respect residence newest never needed need must multiple moved move more months month money monetary moment mistake mind might merge new nice opportunity no ontario only oneday ok often offset offered offer off of now notified nothing not nonsense nonesence non memberships members member medical location ll living little limiting limited limit like life letting let lesser less legacy left leave learning lol long looking making means maybe may married market many manservices makes loose make luck loyalty your lower lost losing opened option reside rates raises raised raise quickly quality put pushed provider profit profiles problem pricing president prescription prefer preemptively power rate rather
Topic 14 | Coherence=-232070.43 | Top words= extra you my and with share family of subscription that increase using about when bill don paying outside want like idea limit power the news states me for cant charging sharing out charge if because without pay no grandkids stay im will an not won parents support longer got what more back hosehold agree subscriptions card town unable how cutting months spending expenses unnecessary fault happy residence take sense payday country else allow ill lack frequent free forth forever forcing kids food fuel laid focused flat fixed fix first from future go kidding kept keeps games garbage gas get getting gf girl give given keeping keep financially financial last euro left legacy expected everything every even especially finally entertainment entertaining enough end emails email expensive extortion leave learning face fact fair layoff fan far later fee feel fees feet few fiance justify goes improvements interested hikes inflation hike higher high instead into elsewhere her help health he having havent hiking history increments holder horrible increasses increasing increases house household households increased income huge hungry husband in have intolerable just join its itself greed great jacking job gouging iny joint gotten good gonna gone going greedy it guys hacked issues hackednot hacking had half hand issue isnt isn hard is hardly has youre divorce eliminating being biden biased biannually bf between better benefits benefit begin automatically before been becoming became be barely bank awhile biggest billing billings bills cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit away aunt el addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd alarming all allowed almost as aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already care cared caring deal different differences didnt deteriorated delivering declined decisions death days caused day daughter date damn dad cut customers customer direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont done doesnt do lesser disgusts currently current currency coming combining combine college climbing climb city choose choice checking cheaper charges charged changing changes changed change cell come company creep compared credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive less loyal let sorry starting started start squeeze spouses spouse spend span soon signaling son something someone some so situation single since stealing stepdad stop stopped than terrible temporary temporarily taste talk taking system switching summer success subscribers subscriber sub stupid stranger stopping significant sign letting rising scales saving save same run rules rule rotating risen sight rise ripped right ridiculous return retiring retired resume scaling second secure see sick shoves shouldn should short she shady several settled set servicio services service series selection seen seems thank thanks thats warrant went well weeks week we way waste was wants their wanted waiting wait vs virtue value vaccine ut were whats where while youll yet years yearly year yall ya wouldn would worth workable work wont willing wife why who uses users used too today to tired tipped times time tightening tight throughout through this think things thing they these there told tooo use tracking us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under two twice trying try tried resubscribe restriction restrict need nonesence non nice next newest new never needed must original multiple much moving moved move monthly month money nonsense nothing notified now options option opportunity opening opened ontario only oneday one once on ok often offset offered offer off monetary moment mom luck your lower lost losing loose looking long lol locations location ll living live little limiting limited life loyalty made mistake make mind might merge memberships membership members member medical means maybe may married market many manservices making makes or other restart quality rather rates rate raising raises raised raise quickly putting others put pushed provider profits profit profiles problem pricing re reactivate reality
Topic 15 | Coherence=-241323.24 | Top words= the and to price increases you of my in be many can money more greedy different with sharing it new service just months greed saving me will use moved time pay too as deal has continuous problem want last need checking currency are loose country location fee changed from see ll cheaper terrible by constant over current high access gotten company when edge pushed dad back down broke ridiculous amount short declined barely reflect double free charges same quality two drain willing emails payment kidding ontario subscriptions disgusts tired get euro phone limiting moving times replace financial don waiting covid day month until situation others than isnt hardly taking often letting own am climbing garbage better had limit frequent keep justify gas games joint future forth join fuel im forever forcing expensive extortion lack extra face kids fact fair family fan far fault kept feel fees feet few fiance finally financially first fix getting fixed flat focused food for keeping keeps issues gf inflation hiking increasing increasses increments hikes hike higher having instead interested into her help health history holder increased horrible increase income hosehold improvements house household households how huge hungry husband idea if he havent girl goes got good gonna gone ill going go have its given itself give jacking job issue gouging grandkids great isn guys hacked hackednot is hacking half hand iny happy intolerable hard expenses youre do expected everything biased biannually bf between benefits benefit being begin before been becoming because became bank awhile away automatically biden biggest bill buggin cannot cancelling canceling cancel bye but business budget billing break boyfriend both blindly bit bills billings aunt at aren adding after afford adicional addtional addresses additional addition added againlater activities acct accounts account acceptance absurd about again agree apps an aparently anyways anymore any anticonsumer another annually amounts alarming amercian also already almost allowed allow all cant card care differences done doesnt divorce disgusting discontinue disappointed direction didnt drastically deteriorated delivering decisions death days daughter date dont drive cutting email every even especially entertainment entertaining enough end elsewhere due else eliminating el easily earlier each duplicate damn cut cared charging combining combine college climb city choose choice charged coming charge changing changes change cell caused caring come compared customers continues customer currently creep credit courtesy costs cost continue competitive continually continously constantly consolidating consider connected compromised laid loyal later stepdad stay states starting started start squeeze spouses spouse spending spend span sorry soon son something someone some stealing stop thanks stopped temporary temporarily taste talk take system switching support summer success subscription subscribers subscriber sub stupid stranger stopping so single since significant secure second scaling scales save run rules rule rotating rising risen rise ripped right return retiring retired seems seen selection she signaling sign sight sick shoves shouldn should share sense shady several settled set servicio services series thank that resubscribe where what were went well weeks week we way waste was warrant wants wanted wait vs virtue value whats while thats who youll yet years yearly year yall ya wouldn would worth workable work wont won without wife why vaccine ut using uses town tooo told today tipped tightening tight throughout through this think things thing they these there their tracking tried try unneeded users used us upward upping upcoming up unnecessary trying unfortunately unfair unemployed understand under unable twice resume restriction layoff nonesence no nice next news newest never needed must multiple much move monthly monetary moment mom mistake mind non nonsense or not option opportunity opening opened only oneday one once on ok offset offered offer off now notified nothing might merge memberships membership longer long lol locations living live little limited like life let lesser less legacy left leave learning looking losing lost market members member medical means maybe may married manservices lower making makes make made luck loyalty your options original restrict reactivate rather rates rate raising raises raised raise quickly putting put provider profits profit profiles pricing prices president re reality
Topic 16 | Coherence=-240513.24 | Top words= too for price is expensive the not me keep it worth now prices anymore much going you service more currently have up increase with life lost don shoves especially pop iny choice nice forcing keeping make face your many be just subscriber to so raising upward unfortunately what share no us subscription was use letting paying should quality less getting damn done vs month greedy cost constant given enough half why isnt never used later fault cant creep these becoming made maybe charged its first options blindly itself cancel right longer mind yall let increased garbage ya way thanks amount girl customers didnt horrible offered focused hacked greed secure hackednot aren hikes overpriced easily people high sharing often time about upping been continues job else fuel even games gas future euro frequent from expected free forth fact fair family fan extra far extortion fee fees feet few fiance finally financial financially fix fixed flat food expenses everything every forever feel youre get increasses households how huge hungry husband idea if ill im improvements in income increases increasing increments gf inflation instead interested into intolerable isn issue issues jacking join joint justify keeps kept household house hosehold holder give go goes gone gonna good got gotten gouging grandkids great guys hacking had hand happy hard hardly has havent having he health help her higher hike hiking history entertainment discontinue entertaining biden biannually bf between better benefits benefit being begin before because became barely bank back awhile away automatically biased biggest at bill cancelling canceling can bye by but business buggin budget broke break boyfriend both bit bills billings billing aunt as card agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd againlater alarming are all apps aparently anyways any anticonsumer another annually and an amounts amercian am also already almost allowed allow cannot care end disgusts kids disappointed direction different differences deteriorated delivering declined decisions death deal days day daughter date dad cutting disgusting divorce customer do emails email elsewhere eliminating el edge earlier each duplicate due drive drastically drain down double dont doesnt cut current cared combining college climbing climb city choose checking cheaper charging charges charge changing changes changed change cell caused caring combine come currency coming credit covid courtesy country costs continuous continue continually continously constantly consolidating consider connected compromised competitive compared company kidding loyal lack starting start squeeze spouses spouse spending spend span sorry soon son something someone some situation single since significant started states laid stay taking take system switching support summer success subscriptions subscribers sub stupid stranger stopping stopped stop stepdad stealing signaling sign sight sick same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction restrict save saving scales servicio shouldn short she shady several settled set services scaling series sense selection seen seems see second talk taste temporarily uses were went well weeks week we waste warrant wants wanted want waiting wait virtue value vaccine ut whats when where workable youll yet years yearly year wouldn would work while wont won without willing will wife who using users temporary upcoming times tightening tight throughout through this think things thing they there their thats that thank than terrible tipped tired today unable until unneeded unnecessary unfair unemployed understand under two told twice trying try tried tracking town tooo restart respect residence mistake next news newest new needed need my must multiple moving moved move months monthly money monetary moment non nonesence nonsense one option opportunity opening opened ontario only oneday once nothing on ok offset offer off of notified mom might original merge locations location ll living live little limiting limited limit like lesser legacy left leave learning layoff last lol long looking married memberships membership members member medical means may market loose manservices making makes luck loyalty lower losing or other reside preemptively rates rate raises raised raise quickly putting put pushed provider profits profit profiles problem pricing president prescription rather
 35%|███▌      | 17/48 [42:17<1:36:52, 187.49s/it]
Topic 17 | Coherence=-235098.42 | Top words= it prices keep and time at only to afford this increasing is like customer will long no subscriber we rates now for there alarming loyalty feel going you can high re greedy being enough if cared wouldn understand leave means begin up hiking were job that anymore just don ll us cant what not about month using right when with cut my need expenses of due lost inflation increased by caused opportunity almost thanks biden rent president per costs longer losing want won rising every pay start support second card other am apps any been looking vaccine better interested stop recession must cannot retiring summer again activities so signaling think health tight bills ill but virtue has under few extra financially extortion future expensive games financial fee garbage fuel gas get getting gf everything girl give finally even euro expected frequent face from food fault far given focused flat fan family fees fair fact fixed fiance fix forever first forth feet free forcing youre go improvements increments increasses increases increase income in im house idea husband hungry huge how households instead into intolerable iny isn isnt issue issues its itself jacking join joint justify keeping keeps kept household hosehold goes great had hacking hackednot hacked guys greed grandkids horrible gouging gotten got good gonna gone half hand happy hard hardly have havent having he entertainment help her higher hike hikes history holder especially different entertaining end blindly bit billings billing bill biggest biased biannually bf between benefits benefit before becoming because became be both boyfriend break caring charged charge changing changes changed change cell care broke cancelling canceling cancel bye business buggin budget barely bank back addition agree againlater after adicional addtional addresses additional adding allow added acct accounts account access acceptance absurd all allowed awhile anyways away automatically aunt as aren are aparently anticonsumer already another annually an amounts amount amercian also charges charging cheaper differences divorce disgusts disgusting discontinue disappointed direction kids didnt doesnt deteriorated delivering declined decisions death deal days do done daughter easily emails email elsewhere else eliminating el edge earlier dont each duplicate drive drastically drain down double day date checking come consider connected compromised competitive compared company coming combining constant combine college climbing climb city choose choice consolidating constantly damn credit dad cutting customers currently current currency creep covid continously courtesy country cost continuous continues continue continually kidding loyal lack spouse spend span sorry soon son something someone some situation single since significant sign sight sick shoves shouldn spending spouses repurposing squeeze system switching success subscriptions subscription subscribers sub stupid stranger stopping stopped stepdad stealing stay states starting started should short she sharing run rules rule rotating risen rise ripped ridiculous return retired resume resubscribe restriction restrict restart respect residence same save saving service share shady several settled set servicio services series scales sense selection seen seems see secure scaling take taking talk use went well weeks week way waste was warrant wants wanted waiting wait vs value ut uses users whats where while would youll yet years yearly year yall ya worth who workable work wont without willing wife why used upward taste upping tipped times tightening throughout through things thing they these their the thats thank than terrible temporary temporarily tired today told unable upcoming until unneeded unnecessary unfortunately unfair unemployed two too twice trying try tried tracking town tooo reside replace laid newest never needed multiple much moving moved move more months monthly money monetary moment mom mistake mind might new news renewing next ontario oneday one once on ok often offset offered offer off notified nothing nonsense nonesence non nice merge memberships membership members living live little limiting limited limit life letting let lesser less legacy left learning layoff later last location locations lol many member medical me maybe may married market manservices loose making makes make made luck your lower opened opening option pop quality putting put pushed provider profits profit profiles problem pricing price prescription prefer preemptively power possible por quickly
Average topic coherence for the top words is -232821.8914429648
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.52it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.53it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.52it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.55it/s]
 10%|█         | 5/50 [00:00<00:08,  5.57it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.59it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.60it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.64it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.64it/s]
 20%|██        | 10/50 [00:01<00:07,  5.63it/s]
 22%|██▏       | 11/50 [00:01<00:06,  5.65it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.63it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.62it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.62it/s]
 30%|███       | 15/50 [00:02<00:06,  5.62it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.62it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.60it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.60it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.61it/s]
 40%|████      | 20/50 [00:03<00:05,  5.61it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.65it/s]
 44%|████▍     | 22/50 [00:03<00:04,  5.64it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.62it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.63it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.63it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.62it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.61it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  5.60it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.60it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.59it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.57it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.56it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.56it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.56it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.58it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.59it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.63it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.63it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  5.62it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.63it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.63it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.64it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.64it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.64it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.65it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.64it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.65it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.63it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.63it/s]
100%|██████████| 50/50 [00:08<00:00,  5.61it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.99it/s]
  4%|▍         | 2/50 [00:00<00:06,  6.94it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.94it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.96it/s]
 10%|█         | 5/50 [00:00<00:06,  6.97it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.93it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.93it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.94it/s]
 18%|█▊        | 9/50 [00:01<00:05,  6.92it/s]
 20%|██        | 10/50 [00:01<00:05,  6.93it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.92it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.88it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.87it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.87it/s]
 30%|███       | 15/50 [00:02<00:05,  6.86it/s]
 32%|███▏      | 16/50 [00:02<00:04,  6.89it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.90it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.92it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.90it/s]
 40%|████      | 20/50 [00:02<00:04,  6.92it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.89it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.92it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.93it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.93it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.96it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.94it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.97it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.96it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.96it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.95it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.98it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.98it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.99it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  7.00it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.97it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.92it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.90it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.93it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.95it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.90it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  6.93it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.93it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.91it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.93it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.95it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.95it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.92it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  6.90it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.88it/s]
100%|██████████| 50/50 [00:07<00:00,  6.92it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.76it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.71it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.71it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.70it/s]
 10%|█         | 5/50 [00:01<00:12,  3.71it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.71it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.71it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.72it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.71it/s]
 20%|██        | 10/50 [00:02<00:10,  3.72it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.71it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.71it/s]
 26%|██▌       | 13/50 [00:03<00:09,  3.72it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.70it/s]
 30%|███       | 15/50 [00:04<00:09,  3.71it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.72it/s]
 34%|███▍      | 17/50 [00:04<00:08,  3.72it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.69it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.69it/s]
 40%|████      | 20/50 [00:05<00:08,  3.70it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.71it/s]
 44%|████▍     | 22/50 [00:05<00:07,  3.70it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.71it/s]
 48%|████▊     | 24/50 [00:06<00:06,  3.72it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.72it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.71it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.73it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.73it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.72it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.72it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.72it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.72it/s]
 66%|██████▌   | 33/50 [00:08<00:04,  3.71it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.72it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.72it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.72it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.70it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.68it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.66it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.69it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.69it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.69it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.70it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.71it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.71it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.71it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.70it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  3.70it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.71it/s]
100%|██████████| 50/50 [00:13<00:00,  3.71it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.87it/s]
  4%|▍         | 2/50 [00:00<00:16,  2.85it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.85it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.85it/s]
 10%|█         | 5/50 [00:01<00:15,  2.83it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.82it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.83it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.83it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.83it/s]
 20%|██        | 10/50 [00:03<00:14,  2.84it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.86it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.86it/s]
 26%|██▌       | 13/50 [00:04<00:12,  2.87it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.86it/s]
 30%|███       | 15/50 [00:05<00:12,  2.86it/s]
 32%|███▏      | 16/50 [00:05<00:11,  2.86it/s]
 34%|███▍      | 17/50 [00:05<00:11,  2.87it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.88it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.88it/s]
 40%|████      | 20/50 [00:07<00:10,  2.85it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.84it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.84it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.85it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.85it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.86it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.86it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.85it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.86it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.85it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.85it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.85it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.85it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  2.85it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  2.86it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.83it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.83it/s]
 74%|███████▍  | 37/50 [00:12<00:04,  2.83it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.84it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.84it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.85it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.85it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.86it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.85it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.85it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.86it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.87it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.87it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.86it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.86it/s]
100%|██████████| 50/50 [00:17<00:00,  2.85it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:25,  1.90it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.88it/s]
  6%|▌         | 3/50 [00:01<00:24,  1.89it/s]
  8%|▊         | 4/50 [00:02<00:24,  1.88it/s]
 10%|█         | 5/50 [00:02<00:23,  1.88it/s]
 12%|█▏        | 6/50 [00:03<00:23,  1.89it/s]
 14%|█▍        | 7/50 [00:03<00:22,  1.88it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.88it/s]
 18%|█▊        | 9/50 [00:04<00:21,  1.88it/s]
 20%|██        | 10/50 [00:05<00:21,  1.87it/s]
 22%|██▏       | 11/50 [00:05<00:20,  1.88it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.88it/s]
 26%|██▌       | 13/50 [00:06<00:19,  1.88it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.88it/s]
 30%|███       | 15/50 [00:07<00:18,  1.88it/s]
 32%|███▏      | 16/50 [00:08<00:17,  1.89it/s]
 34%|███▍      | 17/50 [00:09<00:17,  1.89it/s]
 36%|███▌      | 18/50 [00:09<00:16,  1.89it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.89it/s]
 40%|████      | 20/50 [00:10<00:15,  1.88it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.88it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.88it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.88it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.88it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.89it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.88it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.88it/s]
 56%|█████▌    | 28/50 [00:14<00:11,  1.88it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.87it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.88it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.89it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.88it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.88it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.88it/s]
 70%|███████   | 35/50 [00:18<00:07,  1.89it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.89it/s]
 74%|███████▍  | 37/50 [00:19<00:06,  1.90it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.89it/s]
 78%|███████▊  | 39/50 [00:20<00:05,  1.88it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.88it/s]
 82%|████████▏ | 41/50 [00:21<00:04,  1.89it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.89it/s]
 86%|████████▌ | 43/50 [00:22<00:03,  1.89it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.89it/s]
 90%|█████████ | 45/50 [00:23<00:02,  1.89it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.89it/s]
 94%|█████████▍| 47/50 [00:24<00:01,  1.89it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.89it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.88it/s]
100%|██████████| 50/50 [00:26<00:00,  1.88it/s]

100%|██████████| 50/50 [00:00<00:00, 1562.53it/s]
Topic 0 | Coherence=-232863.90 | Top words= subscription in my with has price the is are and subscriptions an increases already who dont same need one moving moved we to do thing rates your change me upcoming issues than higher he others bf so sharing months over someone house reality wife it where anymore future two husband other expected profiles newest subscriber acceptance lack significant daughter pushed edge between stepdad fiance anticonsumer users new son consolidating at her double own payment residence agree news costs personal ontario emails married financial job fuel taking different business multiple after use covid our situation location changed broke having spouse extra have gf going was getting euro games even garbage girl gas given give get go family every fix fan far fault fair fee fact feel face fees feet few finally financially first fixed everything goes flat focused food for extortion forcing expensive expenses forever forth free frequent from youre hard gone gonna iny intolerable into interested instead inflation increments increasses increasing increased increase income improvements im ill isn isnt issue keeping last laid kids kidding kept keeps keep its justify just joint join jacking itself if idea hungry greedy half had hacking hackednot hacked guys greed happy great grandkids gouging gotten got good hand entertainment huge history how households household hosehold horrible holder hiking hardly hikes hike high help health havent especially divorce entertaining bills billing bill biggest biden biased biannually better benefits benefit being begin before been becoming because became be billings bit bank blindly cared care card cant cannot cancelling canceling cancel can bye by but buggin budget break boyfriend both barely back enough all againlater again afford adicional addtional addresses additional addition adding added activities acct accounts account access absurd about alarming allow awhile allowed away automatically aunt as aren apps aparently anyways any another annually amounts amount amercian am also almost caring caused cell disgusts discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day date damn dad cutting disgusting layoff changes doesnt end email elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down done don cut customers customer currently coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing company compared competitive continuous current currency creep credit courtesy country cost continues compromised continue continually continously constantly constant consider connected later loyal learning stop stay states starting started start squeeze spouses spending spend span sorry soon something some single since signaling stealing stopped sight stopping thanks thank terrible temporary temporarily taste talk take system switching support summer success subscribers sub stupid stranger sign sick thats second scales saving save run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume scaling secure shoves see shouldn should short she share shady several settled set servicio services service series sense selection seen seems that their leave while whats what were went well weeks week way waste warrant wants wanted want waiting wait vs virtue when why vaccine will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing value ut there tracking tooo too told today tired tipped times time tightening tight throughout through this think things they these town tried using try uses used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying resubscribe restriction restrict non nice next never needed must much move more monthly month money monetary moment mom mistake mind might no nonesence memberships nonsense opening opened only oneday once on ok often offset offered offer off of now notified nothing not merge membership restart longer lol locations ll living live little limiting limited limit like life letting let lesser less legacy left long looking members loose member medical means maybe may market many manservices making makes make made luck loyalty lower lost losing opportunity option options re rate raising raises raised raise quickly quality putting put provider profits profit problem pricing prices president prescription rather reactivate
Topic 1 | Coherence=-234188.46 | Top words= you subscription like price dont my pay your other after or raised the that has biannually ill entertaining consider far much have offer company shady tried it used cancel increases almost options seems once to do fact so are is also not increasing was allowed why passed away hacked but card option good compromised guys credit too an charged needed bank charging bill forth because services without need canceling put told account wanted prices want increase keep owner this mom someone amercian think had notified keeps owning parent poland hacking political in today she signaling virtue live acct continues aunt another by last choose person getting cost remarried paying between stranger declined face garbage go given fair forever first extra goes fix fixed family going flat extortion forcing for expensive give from free fan financially finally fiance few gas get focused games feet fees future fuel feel gf girl fee financial frequent fault food youre gone increments iny intolerable into interested instead inflation increasses isnt increased income improvements im if idea isn issue hungry justify laid lack kids kidding kept keeping just issues joint join job jacking itself its husband huge gonna hackednot expected hardly hard happy hand half greedy having greed great grandkids gouging gotten got havent he how history households household house hosehold horrible holder hiking health hikes hike higher high her help expenses doesnt everything be blindly bit bills billings billing biggest biden biased bf better benefits benefit being begin before been becoming both boyfriend break care changes changed change cell caused caring cared cant broke cannot cancelling can bye business buggin budget became barely charge back agree againlater again afford adicional addtional addresses additional addition adding added activities accounts access acceptance absurd about alarming all allow anyways awhile automatically at as aren apps aparently anymore already any anticonsumer annually and amounts amount am changing charges every death drain down double done don layoff divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering drastically drive due email even euro especially entertainment enough end emails elsewhere duplicate else eliminating el edge easily earlier each decisions deal cheaper days continously constantly constant consolidating connected competitive compared coming come combining combine college climbing climb city choice checking continually continue continuous customers day daughter date damn dad cutting cut customer costs currently current currency creep covid courtesy country later loyal learning stop stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something some stepdad stopped single stopping terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid situation since resume secure scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring second see significant seen sign sight sick shoves shouldn should short sharing share several settled set servicio service series sense selection than thank thanks while when whats what were went well weeks week we way waste warrant wants waiting wait vs value where who thats wife youll yet years yearly year yall ya wouldn would worth workable work wont won with willing will vaccine ut using uses tracking town tooo tired tipped times time tightening tight throughout through things thing they these there their try trying twice until users use us upward upping upcoming up unneeded two unnecessary unfortunately unfair unemployed understand under unable retired resubscribe leave newest never must multiple moving moved move more months monthly month money monetary moment mistake mind might merge new news membership next only oneday one on ok often offset offered off of now nothing nonsense nonesence non no nice memberships members restriction looking long lol locations location ll living little limiting limited limit life letting let lesser less legacy left longer loose member losing medical means me maybe may married market many manservices making makes make made luck loyalty lower lost ontario opened opening really reactivate re rather rates rate raising raises raise quickly quality putting pushed provider profits profit profiles problem reality reason
Topic 2 | Coherence=-228530.75 | Top words= it you this anymore don and business at afford not to time my are too using benefits nonsense changing with been keeps make service sense making well long decisions getting doesnt resubscribe am guys inflation constantly thanks but when money by elsewhere for provider cant take through want dont price president caused prices will biden that rising phone raising learning waste of would rather really spend daughter free think connected face lost apps costs start enough any mistake longer recession duplicate secure food cannot easily hackednot again cell rules get change politically opened biased how living gas shouldn hardly have won wait do platform goes everything go given give expected extortion expensive fuel expenses girl games garbage gf from future extra frequent fault financial going fiance few feet first fix fees feel fee fixed finally flat focused far fan family fair fact forcing forever forth financially youre gone if isn is iny intolerable into interested instead increments increasses increasing increases increased increase income in improvements im isnt issue issues keeping later last laid lack kids kidding kept keep its justify just joint join job jacking itself ill idea gonna husband even has hard happy hand half had hacking hacked greedy greed great grandkids gouging gotten got good havent having he holder hungry huge households household house hosehold horrible history health hiking hikes hike higher high her help every disgusting euro begin biggest biannually bf between better benefit being before billing becoming because became be barely bank back bill billings away bye cared care card cancelling canceling cancel can buggin bills budget broke break boyfriend both blindly bit awhile automatically changed added after adicional addtional addresses additional addition adding activities agree acct accounts account access acceptance absurd about againlater alarming aunt an as aren aparently anyways anticonsumer another annually amounts all amount amercian also already almost allowed allow caring changes especially delivering discontinue disappointed direction different differences didnt deteriorated declined divorce death deal days day date damn dad disgusts done cut el entertainment entertaining end emails email else eliminating edge double earlier each due drive drastically drain down cutting customers charge climb company coming come combining combine college climbing city competitive choose choice checking cheaper charging charges charged compared compromised customer country currently current currency creep credit covid courtesy cost consider continuous continues continue continually continously constant consolidating layoff loyal leave stealing states starting started squeeze spouses spouse spending span sorry soon son something someone some so situation single stay stepdad significant stop taste talk taking system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped since signaling temporary second scales saving save same run rule rotating risen rise ripped right ridiculous return retiring retired resume restriction scaling see sign seems sight sick shoves should short she sharing share shady several settled set servicio services series selection seen temporarily terrible restart whats were went weeks week we way was warrant wants wanted waiting vs virtue value vaccine ut uses what where used while youll yet years yearly year yall ya wouldn worth workable work wont without willing wife why who users use than town told today tired tipped times tightening tight throughout things thing they these there their the thats thank tooo tracking us tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try restrict respect left next newest new never needed need must multiple much moving moved move more months monthly month monetary moment news nice mind no ontario only oneday one once on ok often offset offered offer off now notified nothing nonesence non mom might opportunity losing looking lol locations location ll live little limiting limited limit like life letting let lesser less legacy loose lower merge your memberships membership members member medical means me maybe may married market many manservices makes made luck loyalty opening option residence rate raised raise quickly quality putting put pushed profits profit profiles problem pricing prescription prefer preemptively power possible raises rates popular
Topic 3 | Coherence=-241727.79 | Top words= the for price you subscription to my sharing will on and now have that back people just new pay don upcoming more keep as from increases want stop got money fee using going greed another constant charge is customer ridiculous be divorce they loose guys something less charges greedy your hike through again this get addtional youll because cant me service wife courtesy left creep paying spend customers what fault stopping own start platform why there can month subscriptions us talk limited job done payday far fair kept costs awhile feet thank rise entertainment locations fuel losing opened rules hand having due moving moved stupid duplicate adding next squeeze horrible every few different instead being starting husband gouging iny too her terrible manservices financially first into fix fixed intolerable its flat isn it free focused isnt food issues issue forcing forever forth hikes financial fact especially euro even everything expected expenses expensive kidding extortion extra face keeps finally family fan keeping justify joint join frequent feel fees itself fiance jacking increasses interested if hacked hungry hackednot hacking had half huge how households happy hard hardly has household entertaining house havent hosehold he health holder help history high hiking idea ill inflation im future increments games garbage gas higher increasing getting increased gf girl give given go goes increase gone gonna good income gotten grandkids great in improvements youre differences enough billing biggest biden biased biannually bf between better benefits benefit begin before been becoming became barely bank away bill billings end bills card cannot cancelling canceling cancel bye by but business buggin budget broke break boyfriend both blindly bit automatically aunt at aren agree againlater after afford adicional addresses additional addition added activities acct accounts account access acceptance absurd about alarming all allow annually are apps aparently anyways anymore any anticonsumer an allowed amounts amount amercian am also already almost care cared caring cut discontinue disappointed direction lack didnt deteriorated delivering declined decisions death deal days day daughter date damn dad disgusting disgusts do easily emails email elsewhere else eliminating el edge earlier doesnt each drive drastically drain down double dont cutting currently caused current combining combine college climbing climb city choose choice checking cheaper charging charged changing changes changed change cell come coming company continue currency credit covid country cost continuous continues continually compared continously constantly consolidating consider connected compromised competitive kids loyal laid spouse span sorry soon son someone some so situation single since significant signaling sign sight sick shoves shouldn spending spouses temporary started taste taking take system switching support summer success subscribers subscriber sub stranger stopped stepdad stealing stay states should short she share rule rotating rising risen ripped right return retiring retired resume resubscribe restriction restrict restart respect residence reside run same save sense shady several settled set servicio services series selection saving seen seems see secure second scaling scales temporarily than last when were went well weeks week we way waste was warrant wants wanted waiting wait vs virtue value whats where thanks while yet years yearly year yall ya wouldn would worth workable work wont won without with willing who vaccine ut uses users town tooo told today tired tipped times time tightening tight throughout think things thing these their thats tracking tried try unnecessary used use upward upping up until unneeded unfortunately trying unfair unemployed understand under unable two twice repurposing replace rent no news newest never needed need must multiple much move months monthly monetary moment mom mistake mind might nice non renewing nonesence opening ontario only oneday one once ok often offset offered offer off of notified nothing not nonsense merge memberships membership members location ll living live little limiting limit like life letting let lesser legacy leave learning layoff later lol long longer many member medical means maybe may married market making looking makes make made luck loyalty lower lost opportunity option options power raised raise quickly quality putting put pushed provider profits profit profiles problem pricing prices president prescription prefer raises
Topic 4 | Coherence=-233531.98 | Top words= price the not increase worth to for is enough too raised way service it increasing currently anymore be no high keeps are willing new used do as while increases expensive cost long money value but support of will getting raising charge down use just from paying go renewing options quality greedy me great has justify pick longer drive think something competitive isnt market amount manservices shouldn hardly given continually delivering point fault little prices changes don becoming became barely pop reflect agree policy get drain an thanks tired girl before especially iny keeping ya since good what isn offered caused member can your biggest ridiculous higher choice nonesence wont original twice living climbing deal pleased policies this nonsense taking was consider instead maybe need expenses finally future games expected financial flat face extra fixed garbage financially gas extortion fiance first fuel far forever feet fee food fan family few forcing gf feel forth fair fees free frequent fact focused fix youre give ill increasses increased income in improvements im if goes idea husband hungry huge how households increments inflation interested into intolerable issue issues its itself jacking job join joint keep kept kidding kids household house hosehold hand going gone gonna got gotten gouging grandkids greed guys hacked hackednot hacking had half happy horrible hard every have havent having he health help her hike hikes hiking history holder everything doesnt even aunt bill biden biased biannually bf between better benefits benefit being begin been because bank back awhile away billing billings bills by card cant cannot cancelling canceling cancel bye business bit buggin budget broke break boyfriend both blindly automatically at cared aren after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again againlater alarming and apps aparently anyways any anticonsumer another annually amounts all amercian am also already almost allowed allow care caring euro dad divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated declined decisions death days day daughter date laid done dont eliminating entertainment entertaining end emails email elsewhere else el double edge easily earlier each duplicate due drastically damn cutting cell cut company coming come combining combine college climb city choose checking cheaper charging charges charged changing changed change compared compromised connected courtesy customers customer current currency creep credit covid country consolidating costs continuous continues continue continously constantly constant lack loyal last stay starting started start squeeze spouses spouse spending spend span sorry soon son someone some so situation single states stealing temporary stepdad taste talk take system switching summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped stop significant signaling sign sight second scaling scales saving save same run rules rule rotating rising risen rise ripped right return retiring secure see seems shady sick shoves should short she sharing share several seen settled set servicio services series sense selection temporarily terrible later whats went well weeks week we waste warrant wants wanted want waiting wait vs virtue vaccine ut using were when than where youll you yet years yearly year yall wouldn would workable work won without with wife why who uses users us upward today tipped times time tightening tight throughout through things thing they these there their thats that thank told tooo town unfair upping upcoming up until unneeded unnecessary unfortunately unemployed tracking understand under unable two trying try tried retired resume resubscribe news never needed my must multiple much moving moved move more months monthly month monetary moment mom mistake newest next restriction nice opening opened ontario only oneday one once on ok often offset offer off now notified nothing non mind might merge memberships location ll live limiting limited limit like life letting let lesser less legacy left leave learning layoff locations lol looking making membership members medical means may married many makes loose make made luck loyalty lower lost losing opportunity option or prescription reactivate re rather rates rate raises raise quickly putting put pushed provider profits profit profiles problem pricing reality
Topic 5 | Coherence=-241687.09 | Top words= prices and too for is keep it expensive increasing going many much like me now long rates customer no will only new time subscriber we at charges price alarming loyalty feel there your to not service are have anymore worth addition you terrible pricing fees upward unfortunately year added high with rules options raised use life sharing back stupid customers everything seems workable already on users far raise system never due entertaining vs cut right later rule adding gas hikes shoves limiting dont else these offered longer itself maybe aren cannot focused nice really stop more its multiple lol ill bills single biannually forcing whats second piracy nothing all overpriced prescription household medical trying been risen increased changes start increases need access quality replace make don few food job isn forever iny fixed forth free euro join intolerable joint frequent from just flat family fix first fact fan face fault fee extra fuel issues extortion issue expenses isnt feet expected jacking fiance every finally financial fair even financially goes future hand especially happy hard hardly income has in havent having he improvements health help her im higher hike hiking history holder horrible hosehold house if idea households how huge husband increase half games had into garbage get getting gf girl give interested instead given go hungry gone inflation gonna good got increments gotten gouging grandkids great greed greedy increasses guys hacked hackednot hacking youre disgusting entertainment both bit billings billing bill biggest biden biased bf between better benefits benefit being begin before becoming because blindly boyfriend change break caused caring cared care card cant cancelling canceling cancel can bye by but business buggin budget broke became be barely bank allow agree againlater again after afford adicional addtional addresses additional activities acct accounts account acceptance absurd about allowed almost also anyways awhile away automatically aunt as apps aparently any am anticonsumer another annually an amounts amount amercian cell changed enough divorce discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn disgusts do changing doesnt end emails email elsewhere eliminating el edge easily earlier each duplicate drive drastically drain down double done dad cutting currently current compared company coming come combining combine college climbing climb city choose choice checking cheaper charging charged charge competitive compromised connected cost currency creep credit covid courtesy country costs continuous consider continues continue continually continously constantly constant consolidating justify loyal keeping thank states starting started squeeze spouses spouse spending spend span sorry soon son something someone some so situation stay stealing stepdad support temporary temporarily taste talk taking take switching summer stopped success subscriptions subscription subscribers sub stranger stopping since significant signaling rise scales saving save same run rotating rising ripped secure ridiculous return retiring retired resume resubscribe restriction scaling see sign shady sight sick shouldn should short she share several seen settled set servicio services series sense selection than thanks restart that were went well weeks week way waste was warrant wants wanted want waiting wait virtue value vaccine what when where would youll yet years yearly yall ya wouldn work while wont won without willing wife why who ut using uses through today tired tipped times tightening tight throughout this tooo think things thing they their the thats told town used unfair us upping upcoming up until unneeded unnecessary unemployed tracking understand under unable two twice try tried restrict respect keeps option my must moving moved move months monthly month money monetary moment mom mistake mind might merge memberships needed newest news often opening opened ontario oneday one once ok offset next offer off of notified nonsense nonesence non membership members member leave limit letting let lesser less legacy left learning little layoff last laid lack kids kidding kept limited live means luck may married market manservices making makes made lower living lost losing loose looking locations location ll opportunity or residence original raising raises quickly putting put pushed provider profits profit profiles problem president prefer preemptively power possible por
Topic 6 | Coherence=-228742.31 | Top words= price and too the many is subscription we where why am increases will your access be good checking increments luck greed have now ridiculous change different use pay anticonsumer locations fee using when hikes gotten times back an done on raised quality can spending changing broke im unemployed bank thats issues resume another or garbage ll blindly time cutting raises history people throughout should with disappointed financial spouses buggin married gouging biannually often willing news sub flat expected rising lack living recent phone mistake extra keeping market country raise used was fuel future goes given gas getting games gone get go going give from girl gf youre frequent expensive fan family fair fact face extortion expenses fault everything every even euro especially entertainment far feel free fixed forth forever forcing for food focused fix fees first financially finally fiance few gonna feet he got its issue isnt isn iny intolerable into interested instead inflation increasses increasing increased increase income in it itself grandkids jacking learning layoff later last laid kids kidding kept keeps keep justify just joint join job improvements ill if idea having havent has hardly hard happy hand half had hacking hackednot hacked guys greedy great enough health help house husband hungry huge how households household hosehold her horrible holder hiking hike higher high entertaining divorce end benefit bill biggest biden biased bf between better benefits being emails begin before been becoming because became barely awhile billing billings bills bit caring cared care card cant cannot cancelling canceling cancel bye by but business budget break boyfriend both away automatically aunt agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about againlater alarming at all as aren are apps aparently anyways anymore any annually amounts amount amercian also already almost allowed allow caused cell changed do disgusts disgusting discontinue direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn left doesnt cut don email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont dad customers changes compromised compared company coming come combining combine college climbing climb city choose choice cheaper charging charges charged charge competitive connected customer consider currently current currency creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating leave loyal legacy sorry states starting started start squeeze spouse spend span soon restriction son something someone some so situation single since stay stealing stepdad stop temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber stupid stranger stopping stopped significant signaling sign see second scaling scales saving save same run rules rule rotating risen rise ripped right return retiring retired secure seems sight seen sick shoves shouldn short she sharing share shady several settled set servicio services service series sense selection temporary terrible than whats were went well weeks week way waste warrant wants wanted want waiting wait vs virtue value vaccine what while uses who youll you yet years yearly year yall ya wouldn would worth workable work wont won without wife ut users thank tooo today to tired tipped tightening tight through this think things thing they these there their that thanks told town us tracking upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable two twice trying try tried resubscribe restrict less my no nice next newest new never needed need must restart multiple much moving moved move more months monthly non nonesence nonsense not option opportunity opening opened ontario only oneday one once ok offset offered offer off of notified nothing month money monetary lower losing loose looking longer long lol location live little limiting limited limit like life letting let lesser lost loyalty moment made mom mind might merge memberships membership members member medical means me maybe may manservices making makes make options original other reactivate rather rates rate raising quickly putting put pushed provider profits profit profiles problem pricing prices president prescription re reality preemptively
Topic 7 | Coherence=-230227.70 | Top words= back to be the price just will and of need your up hike break since in cut month taking make choice forcing nice especially has keeping face pop life iny that shoves have gone subscriber currently member money lost end like was expenses months deteriorated expensive more span drastically payment move ll selection we so worth subscription me budget you bit is increased sorry earlier with oneday return went almost else ill laid off when saving rent per tightening againlater ridiculous come or rotating next annually subscriptions charging something might must week retiring monetary may provider repurposing soon take few out layoff resume fact using care summer everything from extra fuel extortion future games garbage expected gf every enough frequent even get euro entertainment entertaining getting girl gas flat free focused fixed fix first financially financial finally fiance food feet for fees feel fee fault far fan family fair forever forth youre give inflation increasses increasing increases increase income improvements im if idea husband hungry huge how households household increments instead given interested keep justify joint join job jacking itself its it issues issue isnt isn intolerable into house hosehold horrible holder hackednot hacked guys greedy greed great grandkids gouging gotten got good gonna going goes go hacking had half help history hiking hikes higher high her health hand he having havent hardly hard emails happy disappointed email before biannually bf between better benefits benefit being begin been card becoming because became barely bank awhile away automatically biased biden biggest bill cannot cancelling canceling cancel can bye by but business buggin broke boyfriend both blindly bills billings billing aunt at as agree after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again alarming aren all are apps aparently anyways anymore any anticonsumer another an amounts amount amercian am also already allowed allow cant cared elsewhere deal direction different differences didnt delivering declined decisions death days caring day daughter date damn dad cutting customers customer kept discontinue disgusting disgusts eliminating el edge easily each duplicate due drive drain down double dont done don doesnt do divorce current currency creep coming combine college climbing climb city choose checking cheaper charges charged charge changing changes changed change cell caused combining company credit compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive keeps loyal kidding sign stealing stay states starting started start squeeze spouses spouse spending spend son someone some situation single significant stepdad stop stopped talk thanks thank than terrible temporary temporarily taste system stopping switching support success subscribers sub stupid stranger signaling sight their sick scaling scales save same run rules rule rising risen rise ripped right retired resubscribe restriction restrict restart second secure see several shouldn should short she sharing share shady settled seems set servicio services service series sense seen thats there residence uses whats what were well weeks way waste warrant wants wanted want waiting wait vs virtue value vaccine where while who wouldn youll yet years yearly year yall ya would why workable work wont won without willing wife ut users these used town tooo too told today tired tipped times time tight throughout through this think things thing they tracking tried try unnecessary use us upward upping upcoming until unneeded unfortunately trying unfair unemployed understand under unable two twice respect reside kids membership no news newest new never needed my multiple much moving moved monthly moment mom mistake mind merge non nonesence nonsense on opportunity opening opened ontario only one once ok not often offset offered offer now notified nothing memberships members options medical living live little limiting limited limit letting let lesser less legacy left leave learning later last lack location locations lol makes means maybe married market many manservices making made long luck loyalty lower losing loose looking longer option original replace power raises raised raise quickly quality putting put pushed profits profit profiles problem pricing prices president prescription prefer raising
Topic 8 | Coherence=-227391.17 | Top words= my and to you in charge me subscription for two different live that re be will going married don with kids cancel subscriptions on use want thank more need worth up got membership she anyways another have ut since bye college sign getting mom uses daughter husband places restrict won intolerable unfair city when both addresses memberships able how your good fee kidding even phone go fair everything profits consolidating what boyfriend accounts life combining recently wants like offered else joint share is already gf losing merge allow after seen opening redo amount households emails recent caused currently pick extra piracy card hikes hike fiance finally financial financially itself first fix fixed flat focused food its forcing forever forth it issues issue isnt isn free iny frequent from into fuel future few feet fees expensive euro layoff later last every laid lack kept keeps expected expenses keeping keep feel extortion justify face fact just family fan far fault join job jacking games garbage gas hosehold hacking had half hand hungry happy huge hard hardly household has house havent idea horrible holder having he entertainment health help her high history higher hiking hackednot hacked get gonna interested instead inflation increments girl give given increasses goes increasing increases gone increased if increase income improvements gotten gouging grandkids great greed greedy im guys ill especially doesnt entertaining bill biden biased biannually bf between better benefits benefit being begin before been becoming because became barely bank biggest billing cell billings cared care cant cannot cancelling canceling can by but business buggin budget broke break blindly bit bills back awhile away automatically agree againlater again afford adicional addtional additional addition adding added activities acct account access acceptance absurd about alarming all allowed anymore aunt at as aren are apps aparently any almost anticonsumer annually an amounts amercian am also caring change enough do disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day date damn divorce leave changed done end email elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down double dont dad cutting cut customers competitive compared company coming come combine climbing climb choose choice checking cheaper charging charges charged changing changes compromised connected consider country customer current currency creep credit covid courtesy costs constant cost continuous continues continue continually continously constantly learning youre left stealing states starting started start squeeze spouses spouse spending spend span sorry soon son something someone some so stay stepdad single stop temporarily taste talk taking take system switching support summer success subscribers subscriber sub stupid stranger stopping stopped situation significant terrible secure scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring second see signaling seems sight sick shoves shouldn should short sharing shady several settled set servicio services service series sense selection temporary than resume whats went well weeks week we way waste was warrant wanted waiting wait vs virtue value vaccine using were where used while youll yet years yearly year yall ya wouldn would workable work wont without willing wife why who users us thanks today tipped times time tightening tight throughout through this think things thing they these there their the thats tired told upward too upping upcoming until unneeded unnecessary unfortunately unemployed understand under unable twice trying try tried tracking town tooo retired resubscribe legacy not nonesence non no nice next news newest new never needed must multiple much moving moved move months nonsense nothing month notified or options option opportunity opened ontario only oneday one once ok often offset offer off of now monthly money other lower loose looking longer long lol locations location ll living little limiting limited limit letting let lesser less lost loyalty monetary luck moment mistake mind might members member medical means maybe may market many manservices making makes make made original others restriction rather rate raising raises raised raise quickly quality putting put pushed provider profit profiles problem pricing prices price rates reactivate prescription
Topic 9 | Coherence=-226981.34 | Top words= you the will my it many your in canceling months for to just can time use year by prices and moved too as last keep but see cancel where we rate now moving upping luck checking each increasses increments offset rejoin declined later greed get charging once am card consider be break huge access amounts other settled fees has cancelling temporarily resume after stop summer continues poland take never twice waste anticonsumer like repurposing mistake disappointed fault go our goes gouging given getting going give grandkids gone gonna gf garbage girl good got gotten gas youre games future fee far fan family fair fact face extra extortion expensive expenses expected everything every even euro especially feel feet few food fuel from frequent free forth forever forcing focused fiance flat fixed fix first financially financial finally great higher greedy iny itself its issues issue isnt isn is intolerable guys into interested instead inflation increasing increases increased jacking job join joint lesser less legacy left leave learning layoff laid lack kids kidding kept keeps keeping justify increase income improvements high help health he having havent have hardly hard happy hand half had hacking hackednot hacked her entertaining im hike ill if idea husband hungry how households household house hosehold horrible holder history hiking hikes entertainment dont enough being biden biased biannually bf between better benefits benefit begin end before been becoming because became barely bank back biggest bill billing billings cell caused caring cared care cant cannot bye business buggin budget broke boyfriend both blindly bit bills awhile away automatically alarming againlater again afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about agree all aunt allow at aren are apps aparently anyways anymore any another annually an amount amercian also already almost allowed change changed changes doesnt divorce disgusts disgusting discontinue direction different differences didnt deteriorated delivering decisions death deal days day daughter date do don dad done emails email elsewhere else eliminating el edge easily earlier duplicate due drive drastically drain down double letting damn cutting changing connected competitive compared company coming come combining combine college climbing climb city choose choice cheaper charges charged charge compromised consolidating cut constant customers customer currently current currency creep credit covid courtesy country costs cost continuous continue continually continously constantly let loyal life spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stopped stopping stranger thank than terrible temporary taste talk taking system switching support success subscriptions subscription subscribers subscriber sub stupid so single return same seen seems secure second scaling scales saving save run since rules rule rotating rising risen rise ripped right selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing share shady several set servicio services thanks that thats was whats what were went well weeks week way warrant their wants wanted want waiting wait vs virtue value when while who why youll yet years yearly yall ya wouldn would worth workable work wont won without with willing wife vaccine ut using tracking tooo told today tired tipped times tightening tight throughout through this think things thing they these there town tried uses try users used us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying ridiculous retiring limit next notified nothing not nonsense nonesence non no nice news monthly newest new needed need must multiple much move of off offer offered outside out others original or options option opportunity opening opened ontario only oneday one on ok often more month retired long made loyalty lower lost losing loose looking longer lol money locations location ll living live little limiting limited make makes making manservices monetary moment mom mind might merge memberships membership members member medical means me maybe may married market over overpriced own raise reality reactivate re rather rates raising raises raised quickly owner quality putting put pushed provider profits profit profiles really reason recent
Topic 10 | Coherence=-242591.52 | Top words= other prices services for it to better kept raising and gonna using youre so im reason are was charge now cheaper your charging out if the subscription extra much money need as that up trying save just some this cost before of am paying first again use possible take keeps going me dont start care things income fixed cut customer put down cancel into time spending stop having reduce months canceling on rising others success bills month let didnt my rate hike preemptively lesser not offer way non waste went hard quality retired subscriptions fuel next financially financial issues climb scaling temporarily tooo been platforms have hardly prefer away right warrant owner few finally fiance hand feet help history fees feel itself he health fault its fix holder issue flat focused food isnt isn is iny fee family far expected keeping entertaining keep high entertainment especially euro even every everything justify joint expenses fan expensive join hikes her extortion hiking job jacking face fact fair forever forcing intolerable forth idea havent gouging grandkids increased increase great greed in house improvements greedy ill guys free hacked household hackednot husband has households hungry hacking had half huge how gotten hosehold got good happy frequent from horrible future interested games garbage gas get instead getting inflation higher gf girl give given go goes increments increasses increasing gone increases enough disgusting end bill biden biased biannually bf between benefits benefit being begin becoming because became be barely bank back awhile biggest billing aunt billings card cant cannot cancelling can bye by but business buggin budget broke break boyfriend both blindly bit automatically at caring agree after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming aren all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed allow cared caused emails divorce kids discontinue disappointed direction different differences deteriorated delivering declined decisions death deal days day daughter date damn disgusts do cutting doesnt email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain double done don dad customers cell competitive company coming come combining combine college climbing city choose choice checking charges charged changing changes changed change compared compromised currently connected current currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider kidding loyal lack stealing states starting started squeeze spouses spouse spend span sorry soon son something someone situation single since significant stay stepdad restart stopped thank than terrible temporary taste talk taking system switching support summer subscribers subscriber sub stupid stranger stopping signaling sign sight sick second scales saving same run rules rule rotating risen rise ripped ridiculous return retiring resume resubscribe restriction secure see seems shady shoves shouldn should short she sharing share several seen settled set servicio service series sense selection thanks thats their virtue why who while where when whats what were well weeks week we wants wanted want waiting wait wife will willing ya youll you yet years yearly year yall wouldn with would worth workable work wont won without vs value there vaccine tried tracking town too told today tired tipped times tightening tight throughout through think thing they these try twice two upcoming ut uses users used us upward upping until unable unneeded unnecessary unfortunately unfair unemployed understand under restrict respect laid must moving moved move more monthly monetary moment mom mistake mind might merge memberships membership members member medical multiple needed residence never oneday one once ok often offset offered off notified nothing nonsense nonesence no nice news newest new means maybe may married living live little limiting limited limit like life letting less legacy left leave learning layoff later last ll location locations luck market many manservices making makes make made loyalty lol lower lost losing loose looking longer long only ontario opened pop raises raised raise quickly putting pushed provider profits profit profiles problem pricing price president prescription power por rates
Topic 11 | Coherence=-232609.73 | Top words= extra you charging of share greedy many your hikes the price to because subscriptions also money not fan past over years few way with out my too for me sharing cant newest hike stay grandkids without increase terrible now pricing bye increasing company addition recent has talk limited spending much budget work charges cost happy gotten won moment at quickly disgusts times billings this get profiles stopped caring disgusting risen allow continue cutting cannot expenses unnecessary multiple temporary greed got absurd living pleased hard policies unable garbage limiting yet given go girl goes getting gonna gone going gf give youre gas games feel fee fault far family fair fact face extortion expensive expected everything every even euro especially entertainment fees feet fiance forcing future fuel from frequent free forth forever good finally focused flat fixed fix first financially financial food he gouging jacking its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses itself job increased join learning layoff later last laid lack kids kidding kept keeps keeping keep justify just joint increases income great higher her help health enough having havent have hardly hand half had hacking hackednot hacked guys high hiking in history improvements im ill if idea husband hungry huge how households household house hosehold horrible holder entertaining do end begin biased biannually bf between better benefits benefit being before automatically been becoming became be barely bank back awhile biden biggest bill billing care card cancelling canceling cancel can by but business buggin broke break boyfriend both blindly bit bills away aunt emails additional agree againlater again after afford adicional addtional addresses adding as added activities acct accounts account access acceptance about alarming all allowed almost aren are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am already cared caused cell delivering divorce discontinue disappointed direction different differences didnt deteriorated declined change decisions death deal days day daughter date damn left doesnt don done email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont dad cut customers competitive coming come combining combine college climbing climb city choose choice checking cheaper charged charge changing changes changed compared compromised customer connected currently current currency creep credit covid courtesy country costs continuous continues continually continously constantly constant consolidating consider leave loyal legacy sorry starting started start squeeze spouses spouse spend span soon less son something someone some so situation single since states stealing stepdad stop than temporarily taste taking take system switching support summer success subscription subscribers subscriber sub stupid stranger stopping significant signaling sign secure scaling scales saving save same run rules rule rotating rising rise ripped right ridiculous return retiring retired second see sight seems sick shoves shouldn should short she shady several settled set servicio services service series sense selection seen thank thanks that what went well weeks week we waste was warrant wants wanted want waiting wait vs virtue value vaccine were whats using when youll yearly year yall ya wouldn would worth workable wont willing will wife why who while where ut uses thats tracking tooo told today tired tipped time tightening tight throughout through think things thing they these there their town tried users try used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under two twice trying resume resubscribe restriction nonsense non no nice next news new never needed need must moving moved move more months monthly month nonesence nothing mom notified options option opportunity opening opened ontario only oneday one once on ok often offset offered offer off monetary mistake original lower losing loose looking longer long lol locations location ll live little limit like life letting let lesser lost loyalty mind luck might merge memberships membership members member medical means maybe may married market manservices making makes make made or other restrict reality re rather rates rate raising raises raised raise quality putting put pushed provider profits profit problem prices reactivate really prescription
Topic 12 | Coherence=-228002.33 | Top words= your you good it is no not extra when worth re price sign college uses ut she daughter for anyways going bye thank prices raising me year keep every with in really the stop increases damn seems nothing canceling of ok but longer increase added tired money pay these lost value access company subscribers games playing frequent series mind made popular yall other dont please won expensive constantly fees opportunity lower monthly until waiting pls absurd day twice or almost adding family up caring warrant future gone give goes go given gonna girl garbage gas get gf getting youre fuel from far fan fair fact face extortion expenses expected everything even euro especially entertainment entertaining enough fault fee feel flat free forth forever forcing food focused fixed feet fix first financially finally fiance few financial have got inflation isnt isn iny intolerable into interested instead increments issues increasses increasing increased income improvements im ill issue its idea kept layoff later last laid lack kids kidding keeps itself keeping justify just joint join job jacking if husband gotten hacking has hardly hard happy hand half had hackednot having hacked guys greedy greed great grandkids gouging havent he hungry holder huge how households household house hosehold horrible history health hiking hikes hike higher high her help end doesnt emails begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill email buggin card cant cannot cancelling cancel can by business budget billing broke break boyfriend both blindly bit bills billings awhile away automatically addtional all alarming agree againlater again after afford adicional addresses aunt additional addition activities acct accounts account acceptance about allow allowed already also at as aren are apps aparently anymore any anticonsumer another annually and an amounts amount amercian am care cared caused delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined customer decisions death deal days date dad cutting cut disgusts divorce do leave elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double done don customers currently cell checking come combining combine climbing climb city choose choice cheaper current charging charges charged charge changing changes changed change coming compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected learning loyal left stay starting started start squeeze spouses spouse spending spend span sorry soon son something someone some so situation states stealing since stepdad taste talk taking take system switching support summer success subscriptions subscription subscriber sub stupid stranger stopping stopped single significant temporary secure scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring second see signaling seen sight sick shoves shouldn should short sharing share shady several settled set servicio services service sense selection temporarily terrible resume what went well weeks week we way waste was wants wanted want wait vs virtue vaccine using users were whats use where youll yet years yearly ya wouldn would workable work wont without willing will wife why who while used us than today tipped times time tightening tight throughout through this think things thing they there their thats that thanks to told upward too upping upcoming unneeded unnecessary unfortunately unfair unemployed understand under unable two trying try tried tracking town tooo retired resubscribe legacy nice news newest new never needed need my must multiple much moving moved move more months month monetary next non mom nonesence option opening opened ontario only oneday one once on often offset offered offer off now notified nonsense moment mistake original loose long lol locations location ll living live little limiting limited limit like life letting let lesser less looking losing might loyalty merge memberships membership members member medical means maybe may married market many manservices making makes make luck options others restriction reason reactivate rather rates rate raises raised raise quickly quality putting put pushed provider profits profit profiles problem reality recent president
Topic 13 | Coherence=-231369.26 | Top words= to price and can it is this with afford money now more increases saving deal problem continuous be the people need right time so expensive when job their tracking how your increase going due at just amount they pay lost times cant started access month losing was about not sharing others switching compared dad high happy no short subscription willing increased second rising interested two way am save vaccine policy financially bills eliminating upping monthly sick subscriptions tight declined redo drive really kidding financial fixed fix few first justify finally keep keeping flat fiance keeps kept huge for focused food forcing forever forth free frequent joint join jacking from itself fuel future feet feel kids layoff email emails end enough entertaining entertainment learning especially euro even every everything expected expenses extortion fees later extra face last fact fair family fan far fault laid fee its lack games get garbage he income increasing her help health increasses having higher increments inflation havent have has elsewhere in improvements gas idea households household house hosehold horrible husband if hike holder history ill im hiking hikes instead hardly hard given isn gonna gone isnt goes go give into girl issue gf issues getting hungry good got iny gotten gouging grandkids great greed greedy guys hacked hackednot hacking had half hand intolerable youre disappointed else biggest biased biannually bf between better benefits benefit being begin before been becoming because became barely bank back biden bill away billing cannot cancelling canceling cancel bye by but business buggin budget broke break boyfriend both blindly bit billings awhile automatically care all agree againlater again after adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd alarming allow aunt allowed as aren are apps aparently anyways anymore any anticonsumer another annually an amounts amercian also already almost card cared el direction differences didnt deteriorated delivering decisions death days day daughter date damn cutting cut customers customer currently current different left creep discontinue edge easily earlier each duplicate drastically drain down double dont done don doesnt do divorce disgusts disgusting currency credit caring combine climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused college combining covid come courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected compromised competitive company coming leave loyal legacy span states starting start squeeze spouses spouse spending spend sorry residence soon son something someone some situation single since stay stealing stepdad stop temporary temporarily taste talk taking take system support summer success subscribers subscriber sub stupid stranger stopping stopped significant signaling sign scaling same run rules rule rotating risen rise ripped ridiculous return retiring retired resume resubscribe restriction restrict restart scales secure sight see shoves shouldn should she share shady several settled set servicio services service series sense selection seen seems terrible than thank who where whats what were went well weeks week we waste warrant wants wanted want waiting wait vs while why value wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without will virtue ut thanks try town tooo too told today tired tipped tightening throughout through think things thing these there thats that tried trying using twice uses users used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable respect reside less multiple next news newest new never needed my must much repurposing moving moved move months monetary moment mom mistake nice non nonesence nonsense opening opened ontario only oneday one once on ok often offset offered offer off of notified nothing mind might merge loose longer long lol locations location ll living live little limiting limited limit like life letting let lesser looking lower memberships loyalty membership members member medical means me maybe may married market many manservices making makes make made luck opportunity option options raising raised raise quickly quality putting put pushed provider profits profit profiles pricing prices president prescription prefer preemptively raises rate possible
Topic 14 | Coherence=-228734.77 | Top words= the and are not for me this price months money you good in it come to only of keep will back have out bye want if that email raising fact again consider reactivate forever issue give makes few rectifying ill never been is services on try once lack budget tight hikes no getting years its hand from fees because selection havent yall stealing prices run legacy respect members kept town continously restriction added charges wait greedy new profits restart return under future kidding join constant hungry cheaper payday later system far raised residence ya forcing gf games get fuel forth frequent free garbage gas youre food face end enough entertaining entertainment especially euro even every everything expected expenses expensive extortion extra fair focused family fan fault fee feel feet fiance finally financial financially first fix fixed flat girl hardly given iny into interested instead inflation increments increasses increasing increases increased increase income improvements im idea husband intolerable isn go isnt leave learning layoff last laid kids keeps keeping justify just joint job jacking itself issues huge how households household had hacking hackednot hacked guys greed great grandkids gouging gotten got gonna gone going goes half happy hard hike house hosehold horrible holder history hiking higher has high her help health he having emails done elsewhere being biden biased biannually bf between better benefits benefit begin aunt before becoming became be barely bank awhile away biggest bill billing billings cant cannot cancelling canceling cancel can by but business buggin broke break boyfriend both blindly bit bills automatically at care addition agree againlater after afford adicional addtional addresses additional adding as activities acct accounts account access acceptance absurd about alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost card cared else decisions disappointed direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain down double dont don doesnt do cut customer caring checking combining combine college climbing climb city choose choice charging currently charged charge changing changes changed change cell caused coming company compared competitive current currency creep credit covid courtesy country costs cost continuous continues continue continually constantly consolidating connected compromised left loyal less spouse stepdad stay states starting started start squeeze spouses spending thank spend span sorry soon son something someone some stop stopped stopping stranger terrible temporary temporarily taste talk taking take switching support summer success subscriptions subscription subscribers subscriber sub stupid so situation single sense seems see secure second scaling scales saving save same rules rule rotating rising risen rise ripped right seen series since service significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio than thanks lesser waste what were went well weeks week we way was thats warrant wants wanted waiting vs virtue value vaccine whats when where while youll yet yearly year wouldn would worth workable work wont won without with willing wife why who ut using uses tracking too told today tired tipped times time tightening throughout through think things thing they these there their tooo tried users trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two twice ridiculous retiring retired much next news newest needed need my must multiple moving resume moved move more monthly month monetary moment mom nice non nonesence nonsense options option opportunity opening opened ontario oneday one ok often offset offered offer off now notified nothing mistake mind might losing looking longer long lol locations location ll living live little limiting limited limit like life letting let loose lost merge lower memberships membership member medical means maybe may married market many manservices making make made luck loyalty your or original other re rates rate raises raise quickly quality putting put pushed provider profit profiles problem pricing president prescription prefer rather reality power
Topic 15 | Coherence=-236417.88 | Top words= keep prices you only up people raising of price and if that us being the enough greedy re not begin wouldn leave hiking means cared understand were ll anymore share high your what better this reason to out are about youre cheaper letting subscription when more continue go off gonna or charging even was yet with squeeze laid expenses continues try because reducing just every any improvements differences without got days so subscriptions jacking sick can other lol opportunity support had account stranger ridiculous at cut ripped my costs by recent death used set looking paying holder she unneeded stop has acceptance raise budget won short im keeping forever forcing keeps for face everything forth food focused flat itself entertaining free fix frequent kids from fuel future kept kidding games garbage its fixed first entertainment it fair family especially joint fan far fault fee feel fees join extra fact feet extortion euro few expensive fiance finally financial financially expected justify job husband gas higher emails hand happy hard hardly have havent having he health increases help increased her hike half hikes increase income history horrible hosehold house household in households how ill idea huge increasing hacking get good issues getting issue gf girl hungry give given isnt goes isn going gone is iny increasses gotten gouging grandkids intolerable into interested great greed instead inflation increments guys hacked hackednot end direction email away bill biggest biden biased biannually bf between benefits benefit before been becoming became be barely bank back billing billings bills bye care card cant cannot cancelling canceling cancel but bit business buggin broke break boyfriend both blindly awhile automatically elsewhere aunt agree againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts access absurd alarming all allow annually as aren apps aparently anyways anticonsumer another an allowed amounts amount amercian am also already almost caring caused cell change disgusts disgusting discontinue disappointed different didnt deteriorated delivering declined decisions deal day daughter date damn dad cutting divorce do doesnt duplicate else eliminating el edge easily earlier each due don drive drastically drain down double dont done customers customer currently choose come combining combine college climbing climb city choice company checking charges charged charge changing changes changed coming compared current continuous currency creep credit covid courtesy country cost continually competitive continously constantly constant consolidating consider connected compromised lack loyal last started spouses spouse spending spend span sorry soon son something someone some situation single since significant signaling sign start starting temporary states taste talk taking take system switching summer success subscribers subscriber sub stupid stopping stopped stepdad stealing stay sight shoves shouldn should run rules rule rotating rising risen rise right return retiring retired resume resubscribe restriction restrict restart respect same save saving series sharing shady several settled servicio services service sense scales selection seen seems see secure second scaling temporarily terrible reside went weeks week we way waste warrant wants wanted want waiting wait vs virtue value vaccine ut using well whats than where youll years yearly year yall ya would worth workable work wont willing will wife why who while uses users use upward tipped times time tightening tight throughout through think things thing they these there their thats thanks thank tired today told under upping upcoming until unnecessary unfortunately unfair unemployed unable too two twice trying tried tracking town tooo residence repurposing later needed must multiple much moving moved move months monthly month money monetary moment mom mistake mind might merge need never one new on ok often offset offered offer now notified nothing nonsense nonesence non no nice next news newest memberships membership members member locations location living live little limiting limited limit like life let lesser less legacy left learning layoff long longer loose manservices medical me maybe may married market many making losing makes make made luck loyalty lower lost once oneday replace quality put pushed provider profits profit profiles problem pricing president prescription prefer preemptively power possible por popular pop putting quickly
Topic 16 | Coherence=-238413.68 | Top words= to the and with other my price of in one have need continues only no change country benefit be made different climb services subscription putting pay moved into choose billing more added kids service currency between expensive want date activities better family this rise cheaper already or we that unable location increase anymore customer for you current changed are so me household selection help finally tipped direction people scales goes continually sight at all boyfriend subscriptions prices locations entertainment new households than euro it needed end currently due moving weeks combine aparently discontinue several limiting cut out replace sub reside remarried use payment switching vs back two ill looking deal apps short gf girl extra given give getting extortion go far get gas fault fee feel fees feet few fiance financial financially first fix fan fixed flat focused food fair forcing going fact forth free frequent from fuel face future games garbage forever youre gone increasses is iny intolerable interested instead inflation increments increasing hungry increases increased income improvements im if idea isn isnt issue issues laid lack kidding kept keeps keeping keep justify just joint join job jacking itself its husband huge gonna guys happy hand half had hacking hackednot hacked greedy how greed great grandkids gouging gotten got good hard hardly expected has house hosehold horrible holder history hiking hikes hike higher high her health he having havent expenses divorce everything benefits billings bill biggest biden biased biannually bf being bit begin before been becoming because became barely bills blindly awhile can care card cant cannot cancelling canceling cancel bye both by but business buggin budget broke break bank away every addition again after afford adicional addtional addresses additional adding agree acct accounts account access acceptance absurd about againlater alarming automatically annually aunt as aren anyways any anticonsumer another an allow amounts amount amercian am also almost allowed cared caring caused disgusting dont done don doesnt do later disgusts disappointed down differences didnt deteriorated delivering declined decisions death double drain cell else even especially entertaining enough emails email elsewhere eliminating drastically el edge easily earlier each duplicate drive days day daughter city compared company coming come combining college climbing choice damn checking charging charges charged charge changing changes competitive compromised connected consider dad cutting customers creep credit covid courtesy costs cost continuous continue continously constantly constant consolidating last loyal layoff stop stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something someone stepdad stopped situation stopping thanks thank terrible temporary temporarily taste talk taking take system support summer success subscribers subscriber stupid stranger some single restriction secure scaling saving save same run rules rule rotating rising risen ripped right ridiculous return retiring retired resume second see since seems significant signaling sign sick shoves shouldn should she sharing share shady settled set servicio series sense seen thats their there who where when whats what were went well week way waste was warrant wants wanted waiting wait virtue while why these wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value vaccine ut using tracking town tooo too told today tired times time tightening tight throughout through think things thing they tried try trying up uses users used us upward upping upcoming until twice unneeded unnecessary unfortunately unfair unemployed understand under resubscribe restrict learning non next news newest never must multiple much move months monthly month money monetary moment mom mistake mind nice nonesence merge nonsense opportunity opening opened ontario oneday once on ok often offset offered offer off now notified nothing not might memberships restart loose long lol ll living live little limited limit like life letting let lesser less legacy left leave longer losing membership lost members member medical means maybe may married market many manservices making makes make luck loyalty your lower option options original rather rate raising raises raised raise quickly quality put pushed provider profits profit profiles problem pricing president prescription rates re
Topic 17 | Coherence=-235052.44 | Top words= and subscription extra you family my increase using the that about of when with paying don money bill share outside like power idea states limit want news sharing charge im no an if keep only to longer support parents people will pay more won cant even too acceptance hike hosehold reality hard fix taste garbage hacked agree kids el adicional servicio enough por pagos should away just allowed this blindly spouse re passed youre automatically membership year its person competitive been already good gonna gone going goes gotten also go am amercian given amount give got bf gouging allow have has hardly all happy hand half had amounts hacking hackednot almost guys greedy greed great grandkids annually girl flat anticonsumer first any financially anymore financial finally fiance few feet fees feel fee fault far fixed focused having food gf getting get gas another games future fuel from frequent free forth forever forcing for havent health he acct join job jacking itself it issues issue isnt isn is iny intolerable into interested instead joint justify increments accounts left leave absurd access learning layoff later last laid lack kidding kept keeps account keeping inflation increasses alarming addtional house afford horrible holder after history hiking again hikes againlater higher high her help anyways household households increasing how increases increased activities income in improvements added adding ill addition additional addresses husband hungry huge fan fact fair cheaper climbing climb city barely choose choice checking charging costs charges charged be changing changes changed became college combine bank combining continuous continues continue continually continously constantly constant consolidating consider connected compromised compared company coming come change cell caused budget break boyfriend being both benefit bit bills billings billing benefits biggest better biden biased between broke buggin because business caring cared care card becoming cannot cancelling canceling cancel can bye before by begin but cost country biannually each elsewhere else eliminating at edge easily earlier duplicate back due drive drastically drain down double dont email emails end as face aparently extortion expensive expenses expected everything every apps euro are especially aren entertainment entertaining done less doesnt daughter damn dad cutting cut customers customer currently aunt current currency creep credit awhile covid courtesy date day do days divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal legacy loyal lesser spending stepdad stealing stay starting started start squeeze spouses spend thats span sorry soon son something someone some so stop stopped stopping stranger thank than terrible temporary temporarily talk taking take system switching summer success subscriptions subscribers subscriber sub stupid situation single since see second scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return secure seems significant seen signaling sign sight sick shoves shouldn short she shady several settled set services service series sense selection thanks their retired was were went well weeks week we way waste warrant there wants wanted waiting wait vs virtue value vaccine what whats where while youll yet years yearly yall ya wouldn would worth workable work wont without willing wife why who ut uses users tried town tooo told today tired tipped times time tightening tight throughout through think things thing they these tracking try used trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring resume let must non nice next newest new never needed need multiple or much moving moved move months monthly month monetary nonesence nonsense not nothing option opportunity opening opened ontario oneday one once on ok often offset offered offer off now notified moment mom mistake loyalty lower lost losing loose looking long lol locations location ll living live little limiting limited life letting your luck mind made might merge memberships members member medical means me maybe may married market many manservices making makes make options original resubscribe raise really reactivate rather rates rate raising raises raised quickly other quality putting put pushed provider profits profit profiles reason recent recently
 38%|███▊      | 18/48 [45:48<1:37:15, 194.53s/it]
Topic 18 | Coherence=-231054.86 | Top words= to greedy charge pay and are have but increase is after just my about bill company for extortion disgusting youre its taste you was raising prices do not different family it last subscriptions profit additional starting profiles that me year extra ill so automatically customers charged even garbage because customer care rate price too told much wanted without an be service compromised what card bank enough credit time option being should am use half activities summer better horrible coming play loyal willing up outside warrant often since elsewhere used yearly already health prefer absurd today now allow blindly value repurposing notified few feet fees feel fee fault future fiance far fan want fuel forever finally from forcing frequent free financially first fair fix fixed forth flat focused food waiting financial expensive fact down earlier each duplicate due drive drastically drain double edge dont done don doesnt we divorce disgusts easily el face euro wants wait expenses expected everything every waste especially eliminating entertainment entertaining way end emails email else games girl gas huge improvements im ut if idea husband hungry how income households household house hosehold vaccine holder history in using get intolerable users issues issue isnt isn uses iny into increased interested instead inflation increments increasses increasing increases hiking hikes hike gone great grandkids gouging gotten got good gonna going higher goes go given give discontinue gf getting greed vs guys hacked high her help he having havent has hardly hard happy hand virtue had hacking hackednot week tipped disappointed barely begin before been becoming wont became work workable benefit back awhile away worth aunt at as won benefits will bills buggin budget broke break boyfriend both bit billings with billing biggest biden biased biannually bf between aren would apps adding again afford adicional addtional addresses years addition added aparently yet acct accounts account access acceptance youll againlater agree alarming all anyways anymore any anticonsumer another annually wouldn ya amounts amount amercian yall also almost allowed business by direction costs current currency creep were covid courtesy country cost went continuous continues continue continually continously constantly constant currently well bye death weeks differences itself deteriorated delivering declined decisions deal cut days day daughter date damn dad cutting consolidating consider connected cared changing changes changed change cell caused caring why whats wife cant cannot cancelling canceling cancel can who while charges charging competitive compared when where come combining combine college climbing climb city choose choice checking cheaper didnt us jacking retired risen rise ripped right ridiculous return retiring resume rotating resubscribe restriction restrict restart respect residence reside rising rule rent see services twice series sense selection seen seems secure rules second scaling scales saving save same run replace renewing job profits raise quickly quality putting put pushed provider under raises understand problem pricing unemployed unfair president prescription raised unable remarried recently rejoin reflect reducing reduce redo rectifying recession recent two reason really reality reactivate re rather rates servicio set settled support temporarily tooo talk taking take system switching town terrible success tracking subscription subscribers subscriber sub stupid temporary than several things tired tightening tight throughout through this think thing thank they these there their the thats thanks stranger stopping stopped sick try situation single significant signaling sign sight shoves stop shouldn trying short she sharing share shady some someone something son stepdad stealing stay states tried started start squeeze spouses spouse spending spend span sorry soon preemptively power possible makes maybe may married market many manservices making make means made luck loyalty your lower lost losing upping medical moving moment move more months monthly month money monetary mom member mistake mind might merge memberships membership members loose looking longer kidding learning layoff later upward laid lack kids kept long keeps keeping keep justify times joint join leave left legacy less lol locations location ll living live little limiting limited limit like life letting let lesser moved upcoming por past person per people payment paying payday unnecessary passed phone parents parent pagos owning owner own
Average topic coherence for the top words is -233164.15640077548
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.65it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.67it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.68it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.69it/s]
 10%|█         | 5/50 [00:00<00:07,  5.70it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.70it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.70it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.69it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.70it/s]
 20%|██        | 10/50 [00:01<00:07,  5.70it/s]
 22%|██▏       | 11/50 [00:01<00:06,  5.67it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.69it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.69it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.69it/s]
 30%|███       | 15/50 [00:02<00:06,  5.63it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.65it/s]
 34%|███▍      | 17/50 [00:02<00:05,  5.66it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.65it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.69it/s]
 40%|████      | 20/50 [00:03<00:05,  5.70it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.70it/s]
 44%|████▍     | 22/50 [00:03<00:04,  5.71it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.71it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.70it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.70it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.71it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.69it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  5.71it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.69it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.69it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.70it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.69it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  5.70it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  5.70it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.69it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.68it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.70it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.71it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  5.69it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.70it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.69it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.70it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.68it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.66it/s]
 90%|█████████ | 45/50 [00:07<00:00,  5.61it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.60it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.63it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.66it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.67it/s]
100%|██████████| 50/50 [00:08<00:00,  5.68it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:06,  7.14it/s]
  4%|▍         | 2/50 [00:00<00:06,  7.02it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.99it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.99it/s]
 10%|█         | 5/50 [00:00<00:06,  7.01it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.99it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.98it/s]
 16%|█▌        | 8/50 [00:01<00:06,  7.00it/s]
 18%|█▊        | 9/50 [00:01<00:05,  7.00it/s]
 20%|██        | 10/50 [00:01<00:05,  7.00it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.99it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.99it/s]
 26%|██▌       | 13/50 [00:01<00:05,  7.02it/s]
 28%|██▊       | 14/50 [00:02<00:05,  7.01it/s]
 30%|███       | 15/50 [00:02<00:04,  7.01it/s]
 32%|███▏      | 16/50 [00:02<00:04,  7.00it/s]
 34%|███▍      | 17/50 [00:02<00:04,  7.00it/s]
 36%|███▌      | 18/50 [00:02<00:04,  7.00it/s]
 38%|███▊      | 19/50 [00:02<00:04,  7.01it/s]
 40%|████      | 20/50 [00:02<00:04,  7.02it/s]
 42%|████▏     | 21/50 [00:02<00:04,  7.01it/s]
 44%|████▍     | 22/50 [00:03<00:03,  7.01it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.99it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.97it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.99it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.99it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  7.00it/s]
 56%|█████▌    | 28/50 [00:03<00:03,  7.03it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.96it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.90it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.90it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.94it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.94it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  6.94it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.96it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.97it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.93it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.92it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.95it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.95it/s]
 82%|████████▏ | 41/50 [00:05<00:01,  6.97it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.97it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.94it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.92it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.93it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.95it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.95it/s]
 96%|█████████▌| 48/50 [00:06<00:00,  6.96it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.97it/s]
100%|██████████| 50/50 [00:07<00:00,  6.97it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.76it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.77it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.74it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.73it/s]
 10%|█         | 5/50 [00:01<00:12,  3.72it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.74it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.75it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.73it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.70it/s]
 20%|██        | 10/50 [00:02<00:10,  3.73it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.72it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.71it/s]
 26%|██▌       | 13/50 [00:03<00:09,  3.73it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.73it/s]
 30%|███       | 15/50 [00:04<00:09,  3.72it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.73it/s]
 34%|███▍      | 17/50 [00:04<00:08,  3.74it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.74it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.73it/s]
 40%|████      | 20/50 [00:05<00:08,  3.72it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.73it/s]
 44%|████▍     | 22/50 [00:05<00:07,  3.74it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.74it/s]
 48%|████▊     | 24/50 [00:06<00:06,  3.74it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.74it/s]
 52%|█████▏    | 26/50 [00:06<00:06,  3.74it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.73it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.70it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.71it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.72it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.72it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.73it/s]
 66%|██████▌   | 33/50 [00:08<00:04,  3.73it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.74it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.74it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.74it/s]
 74%|███████▍  | 37/50 [00:09<00:03,  3.75it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.74it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.75it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.77it/s]
 82%|████████▏ | 41/50 [00:10<00:02,  3.76it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.75it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.75it/s]
 88%|████████▊ | 44/50 [00:11<00:01,  3.72it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.71it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.73it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.70it/s]
 96%|█████████▌| 48/50 [00:12<00:00,  3.70it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.70it/s]
100%|██████████| 50/50 [00:13<00:00,  3.73it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:16,  2.91it/s]
  4%|▍         | 2/50 [00:00<00:16,  2.90it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.90it/s]
  8%|▊         | 4/50 [00:01<00:15,  2.89it/s]
 10%|█         | 5/50 [00:01<00:15,  2.88it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.88it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.86it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.85it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.84it/s]
 20%|██        | 10/50 [00:03<00:13,  2.86it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.86it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.85it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.83it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.86it/s]
 30%|███       | 15/50 [00:05<00:12,  2.86it/s]
 32%|███▏      | 16/50 [00:05<00:11,  2.86it/s]
 34%|███▍      | 17/50 [00:05<00:11,  2.86it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.88it/s]
 38%|███▊      | 19/50 [00:06<00:10,  2.88it/s]
 40%|████      | 20/50 [00:06<00:10,  2.87it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.87it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.87it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.87it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.87it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.87it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.86it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.85it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.84it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.86it/s]
 60%|██████    | 30/50 [00:10<00:06,  2.88it/s]
 62%|██████▏   | 31/50 [00:10<00:06,  2.87it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.85it/s]
 66%|██████▌   | 33/50 [00:11<00:05,  2.86it/s]
 68%|██████▊   | 34/50 [00:11<00:05,  2.87it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.87it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.88it/s]
 74%|███████▍  | 37/50 [00:12<00:04,  2.87it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.88it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.88it/s]
 80%|████████  | 40/50 [00:13<00:03,  2.88it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.88it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.87it/s]
 86%|████████▌ | 43/50 [00:14<00:02,  2.86it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.87it/s]
 90%|█████████ | 45/50 [00:15<00:01,  2.87it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.87it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.88it/s]
 96%|█████████▌| 48/50 [00:16<00:00,  2.88it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.88it/s]
100%|██████████| 50/50 [00:17<00:00,  2.87it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:25,  1.94it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.92it/s]
  6%|▌         | 3/50 [00:01<00:24,  1.92it/s]
  8%|▊         | 4/50 [00:02<00:23,  1.92it/s]
 10%|█         | 5/50 [00:02<00:23,  1.90it/s]
 12%|█▏        | 6/50 [00:03<00:23,  1.90it/s]
 14%|█▍        | 7/50 [00:03<00:22,  1.91it/s]
 16%|█▌        | 8/50 [00:04<00:21,  1.91it/s]
 18%|█▊        | 9/50 [00:04<00:21,  1.91it/s]
 20%|██        | 10/50 [00:05<00:20,  1.92it/s]
 22%|██▏       | 11/50 [00:05<00:20,  1.92it/s]
 24%|██▍       | 12/50 [00:06<00:19,  1.92it/s]
 26%|██▌       | 13/50 [00:06<00:19,  1.91it/s]
 28%|██▊       | 14/50 [00:07<00:18,  1.92it/s]
 30%|███       | 15/50 [00:07<00:18,  1.91it/s]
 32%|███▏      | 16/50 [00:08<00:17,  1.91it/s]
 34%|███▍      | 17/50 [00:08<00:17,  1.91it/s]
 36%|███▌      | 18/50 [00:09<00:16,  1.92it/s]
 38%|███▊      | 19/50 [00:09<00:16,  1.91it/s]
 40%|████      | 20/50 [00:10<00:15,  1.91it/s]
 42%|████▏     | 21/50 [00:10<00:15,  1.91it/s]
 44%|████▍     | 22/50 [00:11<00:14,  1.91it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.91it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.92it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.90it/s]
 52%|█████▏    | 26/50 [00:13<00:12,  1.90it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.90it/s]
 56%|█████▌    | 28/50 [00:14<00:11,  1.91it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.91it/s]
 60%|██████    | 30/50 [00:15<00:10,  1.91it/s]
 62%|██████▏   | 31/50 [00:16<00:09,  1.91it/s]
 64%|██████▍   | 32/50 [00:16<00:09,  1.92it/s]
 66%|██████▌   | 33/50 [00:17<00:08,  1.91it/s]
 68%|██████▊   | 34/50 [00:17<00:08,  1.91it/s]
 70%|███████   | 35/50 [00:18<00:07,  1.90it/s]
 72%|███████▏  | 36/50 [00:18<00:07,  1.90it/s]
 74%|███████▍  | 37/50 [00:19<00:06,  1.90it/s]
 76%|███████▌  | 38/50 [00:19<00:06,  1.91it/s]
 78%|███████▊  | 39/50 [00:20<00:05,  1.91it/s]
 80%|████████  | 40/50 [00:20<00:05,  1.91it/s]
 82%|████████▏ | 41/50 [00:21<00:04,  1.92it/s]
 84%|████████▍ | 42/50 [00:21<00:04,  1.92it/s]
 86%|████████▌ | 43/50 [00:22<00:03,  1.92it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.91it/s]
 90%|█████████ | 45/50 [00:23<00:02,  1.90it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.91it/s]
 94%|█████████▍| 47/50 [00:24<00:01,  1.91it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.91it/s]
 98%|█████████▊| 49/50 [00:25<00:00,  1.91it/s]
100%|██████████| 50/50 [00:26<00:00,  1.91it/s]

100%|██████████| 50/50 [00:00<00:00, 1562.50it/s]
Topic 0 | Coherence=-232136.22 | Top words= subscription my and for on be back got using the too married many now will as new people need don charges expensive subscriptions wife getting divorce another through husband this how added two going own memberships laid up spending off they left courtesy their tracking im am platform payday by used cut stupid rule possible being access was opened her trying membership awhile ill next can recently has mistake accounts duplicate luck stranger combining had phone provider when service cutting to charge thank less share get spouses set instead ll fee spend sharing have been policies bills changed town reduce that hikes finally financial financially first fiance fixed just flat focused food joint join fix higher few forcing jacking itself forever its forth free it frequent from fuel issues future issue job feel feet extortion entertainment especially euro even lack every everything expected expenses kids kidding kept extra fees face fact fair family fan keeps keeping far fault keep justify garbage games is isnt households income hacking in improvements if half hand idea hungry happy hard hardly huge enough gas havent having household he house health hosehold horrible help holder history hiking high hackednot hacked increase guys isn hike iny intolerable into gf girl give given go goes interested gone gonna good inflation gotten increments increasses gouging grandkids great greed greedy increasing increases increased entertaining youre end billings bill biggest biden biased biannually bf between better benefits benefit begin before becoming because became barely bank billing bit caused blindly cared care card cant cannot cancelling canceling cancel bye but business buggin budget broke break boyfriend both away automatically aunt at agree againlater again after afford adicional addtional addresses additional addition adding activities acct account acceptance absurd about alarming all allow anticonsumer aren are apps aparently anyways anymore any annually allowed an amounts amount amercian also already almost caring cell emails disgusts discontinue last direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn disgusting do change doesnt email elsewhere else eliminating el edge easily earlier each due drive drastically drain down double dont done dad customers customer currently compared company coming come combine college climbing climb city choose choice checking cheaper charging charged changing changes competitive compromised connected cost current currency creep credit covid country costs continuous consider continues continue continually continously constantly constant consolidating disappointed loyal later starting start squeeze spouse span sorry soon son something someone some so situation single since significant signaling sign started states sick stay taste talk taking take system switching support summer success subscribers subscriber sub stopping stopped stop stepdad stealing sight shoves layoff save run rules rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart same saving shouldn scales should short she shady several settled servicio services series sense selection seen seems see secure second scaling temporarily temporary terrible who where whats what were went well weeks week we way waste warrant wants wanted want waiting wait while why than willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with vs virtue value vaccine tooo told today tired tipped times time tightening tight throughout think things thing these there thats thanks tried try twice upcoming ut uses users use us upward upping until unable unneeded unnecessary unfortunately unfair unemployed understand under respect residence reside news never needed must multiple much moving moved move more months monthly month money monetary moment mom mind newest nice opportunity no ontario only oneday one once ok often offset offered offer of notified nothing not nonsense nonesence non might merge members member lol locations location living live little limiting limited limit like life letting let lesser legacy leave learning long longer looking making medical means me maybe may market manservices makes loose make made loyalty your lower lost losing opening option repurposing raising raised raise quickly quality putting put pushed profits profit profiles problem pricing prices price president prescription prefer raises rate
Topic 1 | Coherence=-219509.27 | Top words= to need service and care customer of just change cut for rate this increase customers garbage about before paying even billing other expenses again your do date country start things take first unable at with you hike all help rent month per my increased almost family rising costs no new inflation canceling preemptively due next must switching looking currently horrible retiring reside food gas recession apps payment pleased redo budget starting hiking much it free fan fact getting gf face girl give extra given extortion go goes expensive going expected gone everything every gonna euro good especially got fair far forth financially forever forcing frequent from gouging fuel focused flat fixed fix financial get finally fiance future few games feet fees feel fee fault gotten youre grandkids justify join job jacking itself its issues issue isnt isn is iny intolerable into interested instead increments increasses joint keep great keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasing increases income in he having entertainment have has hardly hard happy hand half had hacking hackednot hacked guys greedy greed health her high huge improvements im ill if idea husband hungry how higher households household house hosehold holder history hikes havent drive entertaining benefit biggest biden biased biannually bf between better benefits being awhile begin been becoming because became be barely bank bill billings bills bit cared card cant cannot cancelling cancel can bye by but business buggin broke break boyfriend both blindly back away enough addition agree againlater after afford adicional addtional addresses additional adding automatically added activities acct accounts account access acceptance absurd alarming allow allowed already aunt as aren are aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also caring caused cell didnt divorce disgusts disgusting discontinue disappointed direction different differences deteriorated changed delivering declined decisions death deal days day daughter doesnt don done dont end emails email elsewhere else eliminating el edge easily earlier each duplicate like drastically drain down double damn dad cutting company come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes coming compared current competitive currency creep credit covid courtesy cost continuous continues continue continually continously constantly constant consolidating consider connected compromised life loyal limit stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers started squeeze spouses spouse spending spend span sorry subscriber subscription limited terrible there their the thats that thanks thank than temporary subscriptions temporarily taste talk taking system support summer success soon son something secure servicio services series sense selection seen seems see second someone scaling scales saving save same run rules rule set settled several shady some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share these they thing week where when whats what were went well weeks we vs way waste was warrant wants wanted want waiting while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will wait virtue think told twice trying try tried tracking town tooo too today value tired tipped times time tightening tight throughout through two under understand unemployed vaccine ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair rotating risen rise nice off now notified nothing not nonsense nonesence non news monthly newest never needed multiple moving moved move more offer offered offset often out our others original or options option opportunity opening opened ontario only oneday one once on ok months money over longer make made luck loyalty lower lost losing loose long monetary lol locations location ll living live little limiting makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market outside overpriced ripped raising recent reason really reality reactivate re rather rates raises profit raised raise quickly quality putting put pushed provider recently rectifying reduce reducing
Topic 2 | Coherence=-238424.24 | Top words= to prices money the have and you with this price back up high keep enough greedy of only just what being trying re that begin try understand means ll cared were wouldn leave hiking in about go us continues if months cut increase don rise fees when more raised new on few is anymore subscription rules continue some having save squeeze tight yet other ill come once spend budget fuel waste bills costs as due entertainment get limiting need even manservices pick market time stop drive competitive cant shouldn right possible issues adding users customer got no want sight much from would learning charge use down rather end household people out these reduce raise really another gas fault piracy personal youll between access upping upcoming single service addtional feet medical financial eliminating cost monthly dont paying before value daughter restrict rising expected especially forcing forever everything euro every forth free fee expenses expensive feel frequent far fiance fan finally family financially first fix fair fact fixed focused food face extra extortion for flat youre future husband increases increased income improvements im idea hungry increasses huge how households house hosehold horrible increasing increments history issue join job jacking itself its it isnt inflation isn iny intolerable into interested instead holder hikes games going grandkids gouging gotten good gonna gone goes greed given give girl gf getting garbage great guys hike has higher her help health he havent hardly hacked hard happy hand half had hacking hackednot deteriorated entertaining been biden biased biannually bf better benefits benefit becoming bill because became be barely bank awhile away biggest billing emails but cannot cancelling canceling cancel can bye by business billings buggin broke break boyfriend both blindly bit automatically aunt at additional agree againlater again after afford adicional addresses addition aren added activities acct accounts account acceptance absurd alarming all allow allowed are apps aparently anyways any anticonsumer annually an amounts amount amercian am also already almost card care caring decisions disappointed direction different differences didnt delivering declined death currently deal days day date damn dad cutting discontinue disgusting disgusts divorce email elsewhere else el edge easily earlier each duplicate drastically drain double done doesnt do customers current caused cheaper college climbing climb city choose choice checking charging currency charges charged changing changes changed change cell combine combining coming company creep credit covid courtesy country continuous continually continously constantly constant consolidating consider connected compromised compared joint loyal justify renewing spouse spending span sorry soon son something someone so situation since significant signaling sign sick shoves should spouses start started sub switching support summer success subscriptions subscribers subscriber stupid starting stranger stopping stopped stepdad stealing stay states short she sharing resume rotating risen ripped ridiculous return retiring retired resubscribe run restriction restart respect residence reside repurposing replace rule same share sense shady several settled set servicio services series selection saving seen seems see secure second scaling scales system take taking wants well weeks week we way was warrant wanted whats waiting wait vs virtue vaccine ut using went where used work years yearly year yall ya worth workable wont while won without willing will wife why who uses upward talk their throughout through think things thing they there thats times thanks thank than terrible temporary temporarily taste tightening tipped until two unneeded unnecessary unfortunately unfair unemployed under unable twice tired tried tracking town tooo too told today rent remarried keeping rejoin move month monetary moment mom mistake mind might merge memberships membership members member me maybe may married moved moving multiple nonesence offer off now notified nothing not nonsense non must nice next news newest never needed my many making makes layoff life letting let lesser less legacy left later limit last laid lack kids kidding kept keeps like limited make loose made luck loyalty your lower lost losing looking little longer long lol locations location living live offered offset often prefer profits profit profiles problem pricing president prescription preemptively pushed power por popular pop politically political policy
Topic 3 | Coherence=-233821.09 | Top words= too is now price and keep your prices you for it the many me expensive why access raising not am good increments we checking luck canceling where be greed going much will worth no stop upward unfortunately increase service us damn been its fees share quality letting high vs on year with upping their tracking customers garbage respect how later yall legacy increasing these members right run blindly maybe money never becoming offered use lost longer huge amounts itself fault everything mind should please every by else twice keeps they years whats system prescription increased overpriced lol used stealing adding havent long tight others isn down life rate save nonesence forever issues frequent few free forth fiance finally financial food issue financially intolerable isnt fix forcing iny feet fixed flat focused first far feel joint email keeping emails end enough entertaining entertainment especially euro even justify just join fee expected expenses job extortion extra face fact fair family fan fuel jacking from household future help hand happy improvements hard hardly im has have elsewhere ill having he health her games if idea higher hike hikes hiking history husband hungry holder households horrible hosehold in income half had into gas interested house getting gf girl give given go goes gone gonna instead got gotten gouging grandkids great inflation increasses greedy guys increases hacked hackednot hacking get youre eliminating benefit biggest biden biased biannually bf between better benefits being automatically begin before because became barely bank back awhile bill billing billings bills care card cant cannot cancelling cancel can bye but business buggin budget broke break boyfriend both bit away aunt el additional agree againlater again after afford adicional addtional addresses addition at added activities acct accounts account acceptance absurd about alarming all allow allowed as aren are apps aparently anyways anymore any anticonsumer another annually an amount amercian also already almost cared caring caused deal different differences didnt deteriorated delivering declined decisions death days cell day daughter date dad cutting cut customer currently kept disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain double dont done don doesnt do divorce disgusts current currency creep coming combining combine college climbing climb city choose choice cheaper charging charges charged charge changing changes changed change come company credit compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive direction loyal kidding sick spouse spending spend span sorry soon son something someone some so situation single since significant signaling sign spouses squeeze start sub support summer success subscriptions subscription subscribers subscriber stupid started stranger stopping stopped stepdad stay states starting sight shoves take shouldn same rules rule rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction restrict restart saving scales scaling servicio short she sharing shady several settled set services second series sense selection seen seems see secure switching taking reside upcoming weeks week way waste was warrant wants wanted want waiting wait virtue value vaccine ut using uses well went were work youll yet yearly ya wouldn would workable wont what won without willing wife who while when users up talk until tightening throughout through this think things thing there thats that thanks thank than terrible temporary temporarily taste time times tipped two unneeded unnecessary unfair unemployed understand under unable trying tired try tried town tooo told today to residence repurposing kids might newest new needed need my must multiple moving moved move more months monthly month monetary moment mom news next nice ok opening opened ontario only oneday one once often non offset offer off of notified nothing nonsense mistake merge option memberships living live little limiting limited limit like let lesser less left leave learning layoff last laid lack ll location locations manservices membership member medical means may married market making looking makes make made loyalty lower losing loose opportunity options replace popular raised raise quickly putting put pushed provider profits profit profiles problem pricing president prefer preemptively power possible raises
Topic 4 | Coherence=-238586.55 | Top words= price the of prices increasing increases your you are and has company far biannually entertaining charges terrible or year consider other options much pricing addition seems after ill too keep many like it out sharing for greedy am is lack in me months up hikes going with just service getting new tired hand keeps reality acceptance income fixed selection change that my pay provider value over edge through pushed continually workable rates point delivering system while raised amount little work every two got playing jacking greed games on short days subscribers people town at gone retired non connected annually disgusts moment customer broke kidding stupid increase cell second buggin climbing temporary willing covid time flat fuel forth future frequent justify from keeping forever free financial forcing food entertainment especially euro even everything expected expenses expensive kids extortion extra face fact fair family fan kept fault fee feel fees feet few fiance finally financially first fix focused garbage increased gas instead iny health help her high intolerable higher hike hiking into history interested holder horrible hosehold get house household households how huge hungry husband idea if inflation im improvements increments increasses he isn having isnt gf girl give joint given join go job gonna good gotten gouging grandkids itself great its guys hacked hackednot issues hacking had half happy hard hardly issue have havent goes youre enough billing biggest biden biased bf between better benefits benefit being begin before been becoming because became be barely bill billings back bills card cant cannot cancelling canceling cancel can bye by but business budget break boyfriend both blindly bit bank awhile end all agree againlater again afford adicional addtional addresses additional adding added activities acct accounts account access absurd about alarming allow away allowed automatically aunt as aren apps aparently anyways anymore any anticonsumer another an amounts amercian also already almost care cared caring doesnt divorce last disgusting discontinue disappointed direction different differences didnt deteriorated declined decisions death deal day daughter date do don caused done emails email elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down double dont damn dad cutting cut coming come combining combine college climb city choose choice checking cheaper charging charged charge changing changes changed compared competitive compromised country customers currently current currency creep credit courtesy costs consolidating cost continuous continues continue continously constantly constant laid loyal later stay starting started start squeeze spouses spouse spending spend span sorry soon son something someone some so situation states stealing since stepdad temporarily taste talk taking take switching support summer success subscriptions subscription subscriber sub stranger stopping stopped stop single significant layoff scaling saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring resume resubscribe scales secure signaling see sign sight sick shoves shouldn should she share shady several settled set servicio services series sense seen than thank thanks what went well weeks week we way waste was warrant wants wanted want waiting wait vs virtue vaccine were whats thats when youll yet years yearly yall ya wouldn would worth wont won without will wife why who where ut using uses users tooo told today to tipped times tightening tight throughout this think things thing they these there their tracking tried try unneeded used use us upward upping upcoming until unnecessary trying unfortunately unfair unemployed understand under unable twice restriction restrict restart never need must multiple moving moved move more monthly month money monetary mom mistake mind might merge memberships needed newest only news one once ok often offset offered offer off now notified nothing not nonsense nonesence no nice next membership members member medical locations location ll living live limiting limited limit life letting let lesser less legacy left leave learning lol long longer makes means maybe may married market manservices making make looking made luck loyalty lower lost losing loose oneday ontario respect re rate raising raises raise quickly quality putting put profits profit profiles problem president prescription prefer preemptively power rather reactivate
Topic 5 | Coherence=-235093.75 | Top words= and the to my price different subscription in increases pay of use have on where we fee money anticonsumer locations be raising upcoming don is increase been sharing bye want currency live limited talk recent country this moved long location current service changed prices enough from havent because able won services years yall stealing benefits addresses too changing customers both nonsense it many cheaper restriction down fault continously moving drain reflect euro barely out quality checking now cost changes come waste another earlier opening focused aren worth far often fair every learning forcing leave left forever forth free frequent keeping fuel future games everything keep fact justify garbage just gas get joint join job getting gf girl give jacking for food expected flat family fan face later last layoff laid lack kids extra kidding extortion feel kept fees feet few fiance finally financial given first keeps fix expensive fixed expenses financially ill go increments into help her interested high higher hike instead inflation hikes hiking history holder horrible hosehold he increasses house household households how huge increasing hungry husband increased idea income improvements if health even itself hacked goes going im gone gonna good got gotten gouging grandkids great greed greedy guys hackednot having hacking had half hand issues happy hard hardly issue isnt has isn iny intolerable its dont especially bill biden biased biannually bf between better benefit being begin before becoming became bank back awhile away automatically biggest billing entertainment billings cant cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend blindly bit bills aunt at as are again after afford adicional addtional additional addition adding added activities acct accounts account access acceptance absurd about againlater agree alarming amounts apps aparently anyways anymore any annually an amount all amercian am also already almost allowed allow card care cared damn divorce disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter do doesnt done el entertaining end emails email elsewhere else eliminating edge less easily each duplicate due drive drastically double date dad caring cutting company coming combining combine college climbing climb city choose choice charging charges charged charge change cell caused compared competitive compromised costs cut customer currently creep credit covid courtesy continuous connected continues continue continually constantly constant consolidating consider legacy youre lesser spouse stepdad stay states starting started start squeeze spouses spending thanks spend span sorry soon son something someone some stop stopped stopping stranger than terrible temporary temporarily taste taking take system switching support summer success subscriptions subscribers subscriber sub stupid so situation single seen see secure second scaling scales saving save same run rules rule rotating rising risen rise ripped right seems selection since sense significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio series thank that return warrant what were went well weeks week way was wants thats wanted waiting wait vs virtue value vaccine ut whats when while who youll you yet yearly year ya wouldn would workable work wont without with willing will wife why using uses users town told today tired tipped times time tightening tight throughout through think things thing they these there their tooo tracking used tried us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try ridiculous retiring let never nonesence non no nice next news newest new needed outside need must multiple much move more months monthly not nothing notified off others other original or options option opportunity opened ontario only oneday one once ok offset offered offer month monetary moment made loyalty your lower lost losing loose looking longer lol ll living little limiting limit like life letting luck make mom makes mistake mind might merge memberships membership members member medical means me maybe may married market manservices making our over retired raise reality reactivate re rather rates rate raises raised quickly overpriced putting put pushed provider profits profit profiles problem really reason recently
Topic 6 | Coherence=-223878.86 | Top words= it you are this will that not afford if raising again bye only me email prices consider business to fact at makes back never the issue reactivate can come give forever rectifying good want time months dont constantly elsewhere make decisions resubscribe guys sense doesnt take well making now right and when any or worth my job improvements fees differences being new without uses longer because opportunity increase restart cannot under interested politically every monthly biased won stop stupid support mind workable allow users justify first goes go fix fixed flat focused food for games kidding given forcing garbage girl gf forth free frequent from getting get future gas fuel is financially kids extra extortion expensive expenses expected everything even euro layoff learning especially entertainment leave left entertaining face later last feel financial finally fiance few feet going fee fair fault far lack fan laid family kept hackednot gone huge its idea itself husband hungry jacking how join households household house hosehold horrible holder ill issues im in income increased increases increasing increasses increments inflation instead isnt into isn intolerable iny history hiking gonna greedy hand half had hacking hacked keeping greed joint great keeps grandkids gouging gotten got keep happy hard hardly has have havent having he health help her high higher just hike hikes enough youre end billings bill biggest biden biannually bf between better benefits benefit begin before been becoming became be barely bank billing bills away bit caring cared care card cant cancelling canceling cancel by but buggin budget broke break boyfriend both blindly awhile automatically cell alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all aunt allowed as aren apps aparently anyways anymore anticonsumer another annually an amounts amount amercian am also already almost caused change emails disgusts discontinue disappointed direction different didnt deteriorated delivering declined death deal days day daughter date damn dad cutting disgusting divorce customers do else eliminating el edge easily earlier each duplicate due drive drastically drain down double done don less cut customer changed compared coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes company competitive currently compromised current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating connected legacy loyal lesser sorry started start squeeze spouses spouse spending spend span soon terrible son something someone some so situation single since starting states stay stealing temporarily taste talk taking system switching summer success subscriptions subscription subscribers subscriber sub stranger stopping stopped stepdad significant signaling sign see second scaling scales saving save same run rules rule rotating rising risen rise ripped ridiculous return retiring secure seems sight seen sick shoves shouldn should short she sharing share shady several settled set servicio services service series selection temporary than let wants went weeks week we way waste was warrant wanted thank waiting wait vs virtue value vaccine ut using were what whats where youll yet years yearly year yall ya wouldn would work wont with willing wife why who while used use us too today tired tipped times tightening tight throughout through think things thing they these there their thats thanks told tooo upward town upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two twice trying try tried tracking retired resume restriction needed nonsense nonesence non no nice next news newest need restrict must multiple much moving moved move more month nothing notified of off others other original options option opening opened ontario oneday one once on ok often offset offered offer money monetary moment lower losing loose looking long lol locations location ll living live little limiting limited limit like life letting lost your mom loyalty mistake might merge memberships membership members member medical means maybe may married market many manservices made luck our out outside re rates rate raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price rather reality prescription
Topic 7 | Coherence=-239966.92 | Top words= services other better and prices so only are people youre you reason kept gonna cheaper im subscription using raising charge keep for out it was that if now to your need charging extra with dont the subscriptions not in have one money two climb do added more want much use needed continues as benefit why we guys save moved put no forth good house different price significant boyfriend households than go same both payment others double offer emails lesser household aparently combine won our remarried addresses gf able merge live scaling hungry health activities my summer temporarily hard down prefer lol platforms multiple anyways acceptance stop about fee fault far fan this family fair fees fact face whats extortion feel financially feet focused frequent free were forever forcing what food flat few fixed fix first expenses financial finally fiance expensive euro expected each due drive drastically drain where while done don doesnt who divorce disgusts disgusting discontinue disappointed duplicate earlier everything easily every even fuel especially entertainment entertaining enough end when email elsewhere else eliminating el edge from getting future ill idea husband huge how wanted wants warrant hosehold horrible holder history hiking hikes hike higher waiting wait her improvements is iny intolerable into interested instead inflation increments increasses increasing increases increased increase income vs high help games gouging got week weeks gone going goes well given give girl went wife get gas garbage gotten grandkids he great having havent waste has hardly happy hand half had hacking hackednot hacked way greedy greed direction declined differences barely begin before been becoming because became be bank ya back awhile away automatically aunt at yall being benefits didnt billings broke break worth would blindly bit bills billing wouldn bill biggest biden biased biannually bf between aren year apps additional againlater again after afford adicional addtional yet addition yearly adding youll acct accounts account access absurd agree alarming all allow anymore any anticonsumer another annually years an amounts amount amercian am also already almost allowed budget buggin business continuous creep credit covid courtesy country costs cost will compromised continue continually continously constantly constant consolidating consider currency current currently customer deteriorated delivering isnt decisions death deal days day daughter date damn dad cutting cut customers connected competitive but card changed change cell caused caring cared care cant compared cannot cancelling canceling cancel can bye by changes changing workable charged company coming come combining willing college climbing without city choose choice checking wont work charges isn jacking issue reside resume resubscribe restriction restrict restart respect residence repurposing retiring replace rent renewing too rejoin reflect reducing retired return issues run see secure second scales saving today told rules ridiculous rule rotating rising risen rise ripped right reduce redo rectifying try provider profits profit profiles problem pricing tried president recession prescription preemptively power possible por popular pop pushed tracking putting quality recently recent tooo really reality reactivate re rather rates rate town raises raised raise quickly seems seen selection sub switching support success tightening time subscribers subscriber stupid started stranger stopping stopped stepdad stealing stay states system take taking talk things thing they these there their through thats throughout thanks thank tight terrible temporary taste starting start sense share sick shoves shouldn should short she sharing shady squeeze several settled set servicio tired service series sight sign signaling tipped spouses spouse spending spend span sorry soon son something someone some times situation single since politically political policy luck market many manservices making makes make made loyalty locations uses lower lost losing loose looking longer married may maybe me monthly month users monetary moment mom mistake mind might memberships membership members member medical means long location used justify lack kids kidding vaccine keeps keeping value just ll joint join job think itself its virtue laid last later layoff living little limiting limited limit like life letting let ut less legacy left leave learning months move policies owner pay past passed parents parent pagos owning own or overpriced over outside unable under
Topic 8 | Coherence=-232054.79 | Top words= and will it for increasing long time customer like cancel only to rates at prices keep there feel alarming loyalty no subscriber going me you we is that since months your my in different the mom membership places two restrict year budget want subscriptions rate return expensive live so after offset increasses each compared switching multiple others againlater tightening get have few financially later getting enough let cannot didnt users first ill wait being consolidating month wants boyfriend temporarily added married hard charges got cancelling some stopped rejoin loyal need billings this fees currently happy caring caused been hand down phone redo job fix just join joint flat financial finally fiance fixed house focused food justify forcing forever forth itself free frequent from its fuel future games garbage jacking keeps keeping lack layoff last entertainment especially euro even every everything expected expenses laid extortion extra feet kids face fact fair kidding family fan far fault kept fee issues gas given issue idea hardly has increase income improvements havent having im he health entertaining if her husband gf high hungry huge higher hike hikes how hiking households history household holder horrible increased increases half increments girl give hosehold go goes isnt gone gonna isn good iny intolerable gotten gouging into interested instead inflation grandkids great greed greedy guys hacked hackednot hacking had help doesnt end biden biannually bf between better benefits benefit begin before becoming because became be barely bank back awhile away biased biggest cell bill care card cant canceling can bye by but business buggin broke break both blindly bit bills billing automatically aunt as aren agree again afford adicional addtional addresses additional addition adding activities acct accounts account access acceptance absurd about all allow allowed another are apps aparently anyways anymore any anticonsumer annually almost an amounts amount amercian am also already cared change emails divorce disgusting discontinue disappointed direction differences deteriorated delivering declined decisions death deal days day daughter date damn dad disgusts do changed leave email elsewhere else eliminating el edge easily earlier duplicate due drive drastically drain double dont done don cutting cut customers current coming come combining combine college climbing climb city choose choice checking cheaper charging charged charge changing changes company competitive compromised cost currency creep credit covid courtesy country costs continuous connected continues continue continually continously constantly constant consider learning youre left stay starting started start squeeze spouses spouse spending spend span sorry soon son something someone situation single significant states stealing sign stepdad terrible temporary taste talk taking take system support summer success subscription subscribers sub stupid stranger stopping stop signaling sight thank see second scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous retiring secure seems sick seen shoves shouldn should short she sharing share shady several settled set servicio services service series sense selection than thanks resume while when whats what were went well weeks week way waste was warrant wanted waiting vs virtue value where who ut why youll yet years yearly yall ya wouldn would worth workable work wont won without with willing wife vaccine using thats tried town tooo too told today tired tipped times tight throughout through think things thing they these their tracking try uses trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice retired resubscribe legacy notified not nonsense nonesence non nice next news newest new never needed must much moving moved move more nothing now money of original or options option opportunity opening opened ontario oneday one once on ok often offered offer off monthly monetary our lower losing loose looking longer lol locations location ll living little limiting limited limit life letting lesser less lost luck moment made mistake mind might merge memberships members member medical means maybe may market many manservices making makes make other out restriction reactivate rather raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price re reality prescription
Topic 9 | Coherence=-232802.90 | Top words= price subscription the has you my and one other are anymore hike your since or that like already increase in expensive keep selection made have dont was member activities putting choose between of an into this up span deteriorated is drastically kids gone raising so good to months life canceling passed everything goes getting scales finally newest need tipped just direction really away oneday hikes me sorry continually daughter stepdad owner much else earlier went same business absurd hacked customers at cant increased series popular residence political aren focused virtue profits wife taking many signaling over increments letting aunt agree greed want grandkids damn opening news even every gf girl games free get future gas garbage forth from fuel frequent last forever fee extortion extra face fact fair family fan laid lack far expenses fault kidding feel forcing fees feet few expected fiance give financial financially first fix flat food for fixed intolerable given hosehold hungry huge how households household house horrible go holder history issues it hiking its husband idea if ill im improvements issue income isnt isn increases iny increasing increasses inflation instead interested itself higher jacking hackednot kept going keeps gonna got keeping gotten justify gouging great greedy guys joint join hacking high had half hand happy hard hardly job euro havent having he health help her youre don especially bit billings billing bill biggest biden biased biannually bf better benefits benefit being begin before been becoming because bills blindly be both caused caring cared care card cannot cancelling cancel can bye by but buggin budget broke break boyfriend became barely change all againlater again after afford adicional addtional addresses additional addition adding added acct accounts account access acceptance about alarming allow bank allowed back awhile automatically as apps aparently anyways any anticonsumer another annually amounts amount amercian am also almost cell changed entertainment doesnt divorce disgusts disgusting discontinue disappointed different differences didnt delivering declined decisions death deal days day date dad do layoff cut done entertaining enough end emails email elsewhere eliminating el edge easily each duplicate due drive drain down double cutting customer changes competitive company coming come combining combine college climbing climb city choice checking cheaper charging charges charged charge changing compared compromised currently connected current currency creep credit covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider later loyal learning stupid stopping stopped stop stealing stay states starting started start squeeze spouses spouse spending spend soon son something stranger sub some subscriber thats thanks thank than terrible temporary temporarily taste talk take system switching support summer success subscriptions subscribers someone situation there seen see secure second scaling saving save run rules rule rotating rising risen rise ripped right ridiculous return seems sense single service significant sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services their these leave who where when whats what were well weeks week we way waste warrant wants wanted waiting wait vs while why vaccine will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut they trying tried tracking town tooo too told today tired times time tightening tight throughout through think things thing try twice using two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring retired resume nonesence no nice next new never needed must multiple moving moved move more monthly month money monetary moment non nonsense mistake not options option opportunity opened ontario only once on ok often offset offered offer off now notified nothing mom mind resubscribe loose longer long lol locations location ll living live little limiting limited limit let lesser less legacy left looking losing might lost merge memberships membership members medical means maybe may married market manservices making makes make luck loyalty lower original others our reason reactivate re rather rates rate raises raised raise quickly quality put pushed provider profit profiles problem pricing reality recent
Topic 10 | Coherence=-232349.35 | Top words= and charge re in for me to you your is worth my no college anyways going ut sign she uses extra thank bye daughter when good it have subscription will kids more but upcoming new change live that ridiculous another customer unfair moving intolerable city too increases as raising stop addtional anticonsumer once into youll prices where success fair profits get poland amercian money some kidding two rejoin locations fee settled nothing even ontario hard hacked put fix raise location many options need everything disappointed sub garbage gas getting go games goes future gone fuel gf from girl give given youre frequent expenses fan family fact face extortion expensive expected fault every euro especially entertainment entertaining enough far feel free fixed forth forever forcing food focused flat first fees financially financial finally fiance few feet gonna havent got increments issue isnt isn iny interested instead inflation increasses gotten increasing increased increase income improvements im ill issues its itself jacking learning layoff later last laid lack kept keeps keeping keep justify just joint join job if idea husband he emails has hardly happy hand half had hacking hackednot guys greedy greed great grandkids gouging having health hungry help huge how households household house hosehold horrible holder history hiking hikes hike higher high her end doesnt email being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing elsewhere business card cant cannot cancelling canceling cancel can by buggin billings budget broke break boyfriend both blindly bit bills back awhile away adding againlater again after afford adicional addresses additional addition added automatically activities acct accounts account access acceptance absurd about agree alarming all allow aunt at aren are apps aparently anymore any annually an amounts amount am also already almost allowed care cared caring declined disgusting discontinue direction different differences didnt deteriorated delivering decisions customers death deal days day date damn dad cutting disgusts divorce do left else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don cut currently caused choice company coming come combining combine climbing climb choose checking current cheaper charging charges charged changing changes changed cell compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider leave loyal legacy spending stay states starting started start squeeze spouses spouse spend resume span sorry soon son something someone so situation stealing stepdad stopped stopping than terrible temporary temporarily taste talk taking take system switching support summer subscriptions subscribers subscriber stupid stranger single since significant see second scaling scales saving save same run rules rule rotating rising risen rise ripped right return retiring secure seems signaling seen sight sick shoves shouldn should short sharing share shady several set servicio services service series sense selection thanks thats the whats were went well weeks week we way waste was warrant wants wanted want waiting wait vs virtue what while vaccine who yet years yearly year yall ya wouldn would workable work wont won without with willing wife why value using their town told today tired tipped times time tightening tight throughout through this think things thing they these there tooo tracking users tried used use us upward upping up until unneeded unnecessary unfortunately unemployed understand under unable twice trying try retired resubscribe less needed nonsense nonesence non nice next news newest never must restriction multiple much moved move months monthly month monetary not notified now of other original or option opportunity opening opened only oneday one on ok often offset offered offer off moment mom mistake lower losing loose looking longer long lol ll living little limiting limited limit like life letting let lesser lost loyalty mind luck might merge memberships membership members member medical means maybe may married market manservices making makes make made others our out really reactivate rather rates rate raises raised quickly quality putting pushed provider profit profiles problem pricing price president reality reason prefer
Topic 11 | Coherence=-224190.70 | Top words= you share extra and of my with the that subscription family increase using about bill don outside when like money paying want states idea limit power news charging me out cant because grandkids stay without hike even hikes how hosehold off sick agree fair kids ripped being lol acceptance made support anymore unable letting thanks apps do covid continue greed gouging great garbage games future going gas gotten goes get getting got gf good girl gonna give given go gone food fuel expected fault far fan fact face extortion expensive expenses everything from every euro especially entertainment entertaining enough end emails fee feel fees feet frequent free forth forever forcing for guys focused flat fixed fix first financially financial finally fiance few greedy youre hacked hackednot joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead just justify keep learning life let lesser less legacy left leave layoff keeping later last laid lack kidding kept keeps inflation increments increasses have her help elsewhere health he having havent has higher hardly hard happy hand half had hacking high hiking increasing if increases increased income in improvements im ill husband history hungry huge households household house horrible holder email done else benefit biggest biden biased biannually bf between better benefits begin away before been becoming became be barely bank back billing billings bills bit card cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly awhile automatically cared additional alarming againlater again after afford adicional addtional addresses addition aunt adding added activities acct accounts account access absurd all allow allowed almost at as aren are aparently anyways any anticonsumer another annually an amounts amount amercian am also already care caring eliminating deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically drain down double dont limiting doesnt divorce disgusts customer current caused checking combining combine college climbing climb city choose choice cheaper currency charges charged charge changing changes changed change cell come coming company compared creep credit courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive limited loyal little spouse stop stepdad stealing starting started start squeeze spouses spending stopping spend span sorry soon son something someone some stopped stranger there taking thats thank than terrible temporary temporarily taste talk take stupid system switching summer success subscriptions subscribers subscriber sub so situation single same seems see secure second scaling scales saving save run since rules rule rotating rising risen rise right ridiculous seen selection sense series significant signaling sign sight shoves shouldn should short she sharing shady several settled set servicio services service their these retiring waste what were went well weeks week we way was where warrant wants wanted waiting wait vs virtue value whats while they would youll yet years yearly year yall ya wouldn worth who workable work wont won willing will wife why vaccine ut uses times town tooo too told today to tired tipped time users tightening tight throughout through this think things thing tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice return retired live nice now notified nothing not nonsense nonesence non no next offered newest new never needed need must multiple much offer offset own opportunity over our others other original or options option opening often opened ontario only oneday one once on ok moving moved move lost manservices making makes make luck loyalty your lower losing more loose looking longer long locations location ll living many market married may months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe overpriced owner resume raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently owning replace resubscribe
Topic 12 | Coherence=-233838.88 | Top words= you and my is the it use in are price family change time will just we can subscriptions ridiculous many pay months moved as greedy different keep last its taste but disgusting for with anymore don by extortion have see keeps subscriber charge hardly now increasing who declined fiance charging moving consolidating card son increase company locations me come lost never tight twice without when take warrant she try repurposing break every often wife money free kids preemptively like being someone outside upping apps enough got get expenses getting good expected gonna entertaining goes gf everything gone even girl give gas euro going especially go entertainment given expensive garbage fixed few feet fees feel fee fault finally financial financially far first fix fan flat games fair focused fact food face forcing forever forth frequent from extra fuel future youre health gotten issues isnt isn iny intolerable into interested instead inflation increments increasses increases increased income improvements im issue itself if jacking legacy left leave learning layoff later laid lack kidding kept keeping justify joint join job ill idea gouging emails having havent has hard happy hand half had hacking hackednot hacked guys greed great grandkids he help husband her hungry huge how households household house hosehold horrible holder history hiking hikes hike higher high end disgusts email biased bf between better benefits benefit begin before been becoming because became be barely bank back awhile away biannually biden aunt biggest cannot cancelling canceling cancel bye business buggin budget broke boyfriend both blindly bit bills billings billing bill automatically at care againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree aren alarming aparently anyways any anticonsumer another annually an amounts amount amercian am also already almost allowed allow all cant cared elsewhere lesser disappointed direction differences didnt deteriorated delivering decisions death deal days day daughter date damn dad cutting cut discontinue divorce customer do else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done doesnt customers currently caring compared combining combine college climbing climb city choose choice checking cheaper charges charged changing changes changed cell caused coming competitive current compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consider connected less loyal let span starting started start squeeze spouses spouse spending spend sorry sign soon something some so situation single since significant states stay stealing stepdad temporary temporarily talk taking system switching support summer success subscription subscribers sub stupid stranger stopping stopped stop signaling sight letting rising scales saving save same run rules rule rotating risen sick rise ripped right return retiring retired resume resubscribe scaling second secure seems shoves shouldn should short sharing share shady several settled set servicio services service series sense selection seen terrible than thank wanted went well weeks week way waste was wants want thanks waiting wait vs virtue value vaccine ut using were what whats where youll yet years yearly year yall ya wouldn would worth workable work wont won willing why while uses users used told to tired tipped times tightening throughout through this think things thing they these there their thats that today too us tooo upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying tried tracking town restriction restrict restart newest not nonsense nonesence non no nice next news new others needed need must multiple much move more monthly nothing notified of off original or options option opportunity opening opened ontario only oneday one once on ok offset offered offer month monetary moment luck your lower losing loose looking longer long lol location ll living live little limiting limited limit life loyalty made mom make mistake mind might merge memberships membership members member medical means maybe may married market manservices making makes other our respect putting rates rate raising raises raised raise quickly quality put out pushed provider profits profit profiles problem pricing prices rather re reactivate
Topic 13 | Coherence=-234389.98 | Top words= price the not worth to for with too no enough currently have will up anymore raised expensive service increases more lost face pop choice forcing iny shoves keeping especially life nice do make many you just subscriber good me way longer subscription increase your money so be long is used value high again cost when times gotten continues renewing hike while use but us changing start getting isnt benefit rules thanks has given agree policy resume phone there done frequent justify moved thats cheaper bank go changes weeks what discontinue need several get news girl greedy keeps disappointed sub ya offered replace climb warrant free family amount policies pleased sick stupid don try in once future forever from fuel garbage forth gas games youre food fan end entertaining entertainment euro even every everything expected expenses extortion extra fact fair far focused fee feel fees feet few fiance finally financial financially first fix fixed flat fault happy gf im increments increasses increasing increased income improvements ill instead if idea husband hungry huge how inflation interested give jacking kidding kept keep joint join job itself into its it issues issue isn intolerable households household house great had hacking hackednot hacked guys greed grandkids hosehold gouging got gonna gone going goes half hand email hard hardly havent having he health help her higher hikes hiking history holder horrible emails differences elsewhere biden biannually bf between better benefits being begin before been becoming because became barely back awhile away automatically biased biggest at bill canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills billings billing aunt as else alarming after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater all aren allow are apps aparently anyways any anticonsumer another annually and an amounts amercian am also already almost allowed cancelling cannot cant different didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer lack direction card disgusting eliminating el edge easily earlier each duplicate due drive drastically drain down double dont doesnt divorce disgusts current currency creep credit combine college climbing city choose checking charging charges charged charge changed change cell caused caring cared care combining come coming continously covid courtesy country costs continuous continue continually constantly company constant consolidating consider connected compromised competitive compared kids loyal laid spouse spend span sorry soon son something someone some situation single since significant signaling sign sight shouldn should spending spouses taking squeeze system switching support summer success subscriptions subscribers stranger stopping stopped stop stepdad stealing stay states starting started short she sharing share rotating rising risen rise ripped right ridiculous return retiring retired resubscribe restriction restrict restart respect residence reside rule run same selection shady settled set servicio services series sense seen save seems see secure second scaling scales saving take talk last were well week we waste was wants wanted want waiting wait vs virtue vaccine ut using uses users went whats taste where youll yet years yearly year yall wouldn would workable work wont won without willing wife why who upward upping upcoming until tightening tight throughout through this think things thing they these their that thank than terrible temporary temporarily time tipped tired unable unneeded unnecessary unfortunately unfair unemployed understand under two today twice trying tried tracking town tooo told repurposing rent remarried new needed my must multiple much moving move months monthly month monetary moment mom mistake mind might merge never newest rejoin next ontario only oneday one on ok often offset offer off of now notified nothing nonsense nonesence non memberships membership members member living live little limiting limited limit like letting let lesser less legacy left leave learning layoff later ll location locations making medical means maybe may married market manservices makes lol made luck loyalty lower losing loose looking opened opening opportunity popular quality putting put pushed provider profits profit profiles problem pricing prices president prescription prefer preemptively power possible quickly
Topic 14 | Coherence=-235653.45 | Top words= not price to the it increase is for this when anymore too afford of was willing but time using are cant good be year what much every am going seems at way really don now can support amount options paying added think nothing times ok spending rising should pay caused by about started as out keeps great already budget something high daughter and happy charge president biden inflation job thanks re like with half before living thank lost few your charged summer play she want coming second horrible outside start sign ut from worth vaccine due cost justify anyways college isn wont seen higher months original last just quality nonesence loyal blindly right workable became away declined allow bye got gouging an gotten gonna annually amounts gone another goes go given give grandkids greedy greed girl amercian also guys almost allowed hacked hackednot hacking had all hand alarming anticonsumer gf any forcing feet back awhile fiance finally financial financially first fix fixed flat focused food automatically aunt hardly forever forth free frequent aren fuel future games garbage gas apps aparently get getting hard have has into issues issue isnt adding iny intolerable interested acct addition instead additional addresses increments increasses activities its feel keep lack kids kidding kept absurd keeping acceptance itself access joint join account accounts jacking increasing increases increased againlater history hiking hikes hike after again her addtional help health agree he having havent holder adicional hosehold house household households how huge hungry husband idea if ill im improvements in income fees fault fee biased continue continually continously constantly constant consolidating consider billing biggest connected compromised competitive compared bill continues continuous biannually costs country courtesy bf between covid credit better creep currency current currently customer customers company come business cared changes changed change cell broke caring care combining card buggin cannot cancelling canceling cancel changing break boyfriend both charges charging bit cheaper checking choice choose city bills climb climbing billings combine cut cutting dad because entertainment entertaining enough end emails email elsewhere benefits else eliminating el edge easily earlier especially euro even barely bank everything expected expenses expensive extortion extra face fact fair family fan far each becoming duplicate disappointed damn date benefit day days deal death decisions delivering deteriorated laid differences different direction discontinue been disgusting disgusts divorce do doesnt being done dont double down drain drastically drive begin didnt youre later squeeze spouse spend span sorry soon son someone some so situation single since significant signaling sight sick shoves spouses starting talk states take system switching success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay shouldn short sharing share rotating risen rise ripped ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence reside repurposing rule rules run series shady several settled set servicio services service sense same selection see secure scaling scales saving save taking taste layoff were well weeks week we waste warrant wants wanted waiting wait vs virtue value uses users used use went whats temporarily where youll you yet years yearly yall ya wouldn would work won without will wife why who while us upward upping upcoming tired tipped tightening tight throughout through things thing they these there their thats that than terrible temporary today told tooo understand up until unneeded unnecessary unfortunately unfair unemployed under town unable two twice trying try tried tracking replace rent renewing my multiple moving moved move more monthly month money monetary moment mom mistake mind might merge memberships membership must need remarried needed once on often offset offered offer off notified nonsense non no nice next news newest new never members member medical means locations location ll live little limiting limited limit life letting let lesser less legacy left leave learning lol long longer making me maybe may married market many manservices makes looking make made luck loyalty lower losing loose one oneday only politically putting put pushed provider profits profit profiles problem pricing prices prescription prefer preemptively power possible por popular quickly
Topic 15 | Coherence=-220462.30 | Top words= subscription my with and has extra an you sharing in for family too already charge won no moving if cost someone support bf he pay keeps up will nonsense im parents benefits much going longer husband greedy changing financial been re issues moved went hacked quality unemployed down risen quickly allow hacking phone reality spouse joint opportunity youre who profiles way times access more lack tooo acct situation thank changed date spending is policy unable girl future gone go from fuel gas get getting goes games frequent garbage gf give given fixed free everything fair fact face extortion expensive expenses expected every forth even euro especially entertainment entertaining enough end fan far fault fee forever forcing food focused flat good fix first financially finally fiance few feet fees feel gonna havent got intolerable itself its it issue isnt isn iny into job interested instead inflation increments increasses increasing increases jacking join gotten later lesser less legacy left leave learning layoff last just laid kids kidding kept keeping keep justify increased increase income hand health having email have hardly hard happy half improvements had hackednot guys greed great grandkids gouging help her high higher ill idea hungry huge how households household house hosehold horrible holder history hiking hikes hike emails doesnt elsewhere being bill biggest biden biased biannually between better benefit begin billings before becoming because became be barely bank back billing bills else by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly awhile away automatically additional agree againlater again after afford adicional addtional addresses addition aunt adding added activities accounts account acceptance absurd about alarming all allowed almost at as aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also care cared caring decisions disappointed direction different differences didnt deteriorated delivering declined death customer deal days day daughter damn dad cutting cut discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain double dont done don letting do customers currently caused choose coming come combining combine college climbing climb city choice current checking cheaper charging charges charged changes change cell company compared competitive compromised currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected let loyal life spouses stepdad stealing stay states starting started start squeeze spend significant span sorry soon son something some so single stop stopped stopping stranger than terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscribers subscriber sub stupid since signaling resume rules secure second scaling scales saving save same run rule sign rotating rising rise ripped right ridiculous return retiring see seems seen selection sight sick shoves shouldn should short she share shady several settled set servicio services service series sense thanks that thats warrant what were well weeks week we waste was wants the wanted want waiting wait vs virtue value vaccine whats when where while youll yet years yearly year yall ya wouldn would worth workable work wont without willing wife why ut using uses town today to tired tipped time tightening tight throughout through this think things thing they these there their told tracking users tried used use us upward upping upcoming until unneeded unnecessary unfortunately unfair understand under two twice trying try retired resubscribe like never not nonesence non nice next news newest new needed moment need must multiple move months monthly month money nothing notified now of or options option opening opened ontario only oneday one once on ok often offset offered offer off monetary mom restriction lol loyalty your lower lost losing loose looking long locations mistake location ll living live little limiting limited limit luck made make makes mind might merge memberships membership members member medical means me maybe may married market many manservices making original other others putting reactivate rather rates rate raising raises raised raise put our pushed provider profits profit problem pricing prices price really reason recent
Topic 16 | Coherence=-240172.81 | Top words= you to price the your charging many extra hikes also greedy subscriptions share because not of fan past over way years few money for that sharing pay raised used almost shady offer tried fact from once cancel newest like dont want just too new people greed will more me an fee loose they stop something guys expenses future out profiles issues reducing expected keep off laid account no death unneeded easily unnecessary holder secure caring different hackednot cutting continue stay often paying ya have goes garbage go gf given getting gas give get girl youre fix games feel far family fair face extortion expensive everything every even euro especially entertainment entertaining enough end fault fees fuel feet frequent free forth forever forcing food focused flat fixed gone first financially financial finally fiance going has gonna inflation isn is iny intolerable into interested instead increments issue increasses increasing increases increased increase income in isnt it good kept learning layoff later last lack kids kidding keeps its keeping justify joint join job jacking itself improvements im ill half having havent email hardly hard happy hand had if hacking hacked great grandkids gouging gotten got he health help her idea husband hungry huge how households household house hosehold horrible history hiking hike higher high emails don elsewhere before biannually bf between better benefits benefit being begin been biden becoming became be barely bank back awhile away biased biggest cant budget cancelling canceling can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically aunt at addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am already allowed cannot card else day differences didnt deteriorated delivering declined decisions deal days daughter disappointed date damn dad cut customers customer currently current direction discontinue care drastically eliminating el edge earlier each duplicate due drive drain disgusting down double done left doesnt do divorce disgusts currency creep credit charges college climbing climb city choose choice checking cheaper charged covid charge changing changes changed change cell caused cared combine combining come coming courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive compared company leave loyal legacy spouse stepdad stealing states starting started start squeeze spouses spending retired spend span sorry soon son someone some so stopped stopping stranger stupid than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub situation single since seems second scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return see seen significant selection signaling sign sight sick shoves shouldn should short she several settled set servicio services service series sense thank thanks thats where whats what were went well weeks week we waste was warrant wants wanted waiting wait vs virtue when while vaccine who youll yet yearly year yall wouldn would worth workable work wont won without with willing wife why value ut their tracking tooo told today tired tipped times time tightening tight throughout through this think things thing these there town try using trying uses users use us upward upping upcoming up until unfortunately unfair unemployed understand under unable two twice retiring resume less multiple nice next news never needed need my must much resubscribe moving moved move months monthly month monetary moment non nonesence nonsense nothing original or options option opportunity opening opened ontario only oneday one on ok offset offered now notified mom mistake mind lost looking longer long lol locations location ll living live little limiting limited limit life letting let lesser losing lower might loyalty merge memberships membership members member medical means maybe may married market manservices making makes make made luck other others our reason reality reactivate re rather rates rate raising raises raise quickly quality putting put pushed provider profits profit really recent pricing
Topic 17 | Coherence=-215957.17 | Top words= to pay my bill but have it subscription company youre not is was extortion about disgusting charge taste its are me so that different greedy extra do just ill for after an compromised card because charged subscriptions without credit told wanted option automatically allowed bank hacked today notified think yearly prefer until offered waiting often day made can between and service daughter free soon residence phone like garbage fuel forth future frequent games from join gas lesser legacy less gotten got good gonna gone going get goes go given give forever gf getting girl focused forcing fault fan family fair fact face limit expensive expenses expected everything every even euro especially entertainment far fee let feel food left flat fixed fix first financially letting financial finally fiance few feet life fees gouging happy grandkids improvements increasing increases increased increase kept income in im great kidding if idea husband kids lack hungry increasses increments inflation instead justify job jacking itself keep keeping issues issue isnt isn keeps iny intolerable into interested huge how households having later layoff has learning hardly hard joint hand half had hacking hackednot guys leave greed havent he household health house hosehold horrible holder laid history last hiking hikes hike higher high enough her help entertaining done end billings biggest biden biased biannually bf better benefits benefit being begin before been becoming became be barely back billing bills away bit cared care cant cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly awhile aunt emails alarming againlater again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd agree all at allow as aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost caring caused cell doesnt disgusts discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days date damn dad cutting divorce don change limiting email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont cut customers customer currently coming come combining combine college climbing climb city choose choice checking cheaper charging charges changing changes changed compared competitive connected cost current currency creep covid courtesy country costs continuous consider continues continue continually continously constantly constant consolidating limited loyal little spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry son something someone some situation stepdad stopped thats system thank than terrible temporary temporarily talk taking take switching stopping support summer success subscribers subscriber sub stupid stranger single since significant run see secure second scaling scales saving save same rules signaling rule rotating rising risen rise ripped right ridiculous seems seen selection sense sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services series thanks the retiring we when whats what were went well weeks week way while waste warrant wants want wait vs virtue value where who their would youll you yet years year yall ya wouldn worth why workable work wont won with willing will wife vaccine ut using tightening tracking town tooo too tired tipped times time tight uses throughout through this things thing they these there tried try trying twice users used use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired live newest nothing nonsense nonesence non no nice next news new of never needed need must multiple much moving moved now off over opening out our others other original or options opportunity opened offer ontario only oneday one once on ok offset move more months losing making makes make luck loyalty your lower lost loose monthly looking longer long lol locations location ll living manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may outside overpriced resume raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent own rent resubscribe
Topic 18 | Coherence=-227814.60 | Top words= and price is to greedy more increases be after profit profiles additional starting just last for raising prices money year charge the increase with saving deal can sharing continuous problem ridiculous need constant hike paying less back this keep your creep stopping why done ill dad using are else cost gotten became rotating future something expected pagos pay cant biggest gouging throughout history servicio por raises adicional month el since lower pls up member cancel constantly come loyalty if give getting gone go games garbage going gas get goes fuel girl gf given youre from face fault far fan family fair fact extra feel extortion expensive expenses everything every even fee fees frequent flat free forth forever forcing food focused fixed feet fix first financial finally fiance few financially has gonna in itself its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increased jacking job join later let lesser legacy left leave learning layoff laid joint lack kids kidding kept keeps keeping justify income improvements good im havent have especially hardly hard happy hand half had hacking hackednot hacked guys greed great grandkids got having he health house idea husband hungry huge how households household hosehold help horrible holder hiking hikes higher high her euro dont entertainment being biden biased biannually bf between better benefits benefit begin caring before been becoming because barely bank awhile away bill billing billings bills care card cannot cancelling canceling bye by but business buggin budget broke break boyfriend both blindly bit automatically aunt at all agree againlater again afford addtional addresses addition adding added activities acct accounts account access acceptance absurd about alarming allow as allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cared caused entertaining didnt divorce disgusts disgusting discontinue disappointed direction different differences deteriorated cell delivering declined decisions death days day daughter date do doesnt don life enough end emails email elsewhere eliminating edge easily earlier each duplicate due drive drastically drain down double damn cutting cut company combining combine college climbing climb city choose choice checking cheaper charging charges charged changing changes changed change coming compared customers competitive customer currently current currency credit covid courtesy country costs continues continue continually continously consolidating consider connected compromised letting loyal like states sub stupid stranger stopped stop stepdad stealing stay started son start squeeze spouses spouse spending spend span sorry subscriber subscribers subscription subscriptions thats that thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success soon someone there scales sense selection seen seems see secure second scaling save some same run rules rule rising risen rise ripped series service services set so situation single significant signaling sign sight sick shoves shouldn should short she share shady several settled their these limit we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who wife youll you yet years yearly yall ya wouldn would worth workable work wont won without willing will vs value they tired try tried tracking town tooo too told today tipped vaccine times time tightening tight through think things thing trying twice two unable ut uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under right return retiring news nothing not nonsense nonesence non no nice next newest move new never needed my must multiple much moving notified now of off or options option opportunity opening opened ontario only oneday one once on ok often offset offered offer moved months retired long make made luck lost losing loose looking longer lol monthly locations location ll living live little limiting limited makes making manservices many monetary moment mom mistake mind might merge memberships membership members medical means me maybe may married market original other others rate recent reason really reality reactivate re rather rates raised our raise quickly quality putting put pushed provider profits recently recession rectifying
 40%|███▉      | 19/48 [49:27<1:37:39, 202.06s/it]
Topic 19 | Coherence=-226597.02 | Top words= back be will to month break of taking the my losing thing others higher end need payment who rates money move same ll just are than do your passed away job when due in don we bit saving account and have can come she mom broke had monetary might owning later may parent week for join person repurposing this resume paying feet soon summer me layoff not future on second return expensive time take card year huge flat forever forcing justify food focused fixed free fix first financially financial keep finally forth frequent keeping from fuel joint jacking games garbage gas get getting gf girl itself give given fiance few how extortion leave enough entertaining entertainment especially euro even learning last every everything expected expenses laid extra keeps face lack fact kids kidding fair family fan far fault fee feel fees kept its it go hikes having email he health help increasses her increasing increases high increased increase hike income improvements inflation hiking im ill if history holder horrible idea husband hosehold house hungry household households increments havent goes greed going issues issue gone isnt gonna isn good is got gotten gouging grandkids great iny instead greedy guys hacked hackednot hacking intolerable half hand happy hard hardly has into interested emails youre elsewhere begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank awhile automatically biden bill caused by cared care cant cannot cancelling canceling cancel bye but billing business buggin budget boyfriend both blindly bills billings aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed caring cell else deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue change drastically eliminating el edge easily earlier each duplicate drive drain disgusting down double dont done legacy doesnt divorce disgusts customer currently current choice coming combining combine college climbing climb city choose checking currency cheaper charging charges charged charge changing changes changed company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected left loyal less squeeze stop stepdad stealing stay states starting started start spouses their spouse spending spend span sorry son something someone stopped stopping stranger stupid that thanks thank terrible temporary temporarily taste talk system switching support success subscriptions subscription subscribers subscriber sub some so situation series selection seen seems see secure scaling scales save run rules rule rotating rising risen rise ripped right sense service single services since significant signaling sign sight sick shoves shouldn should short sharing share shady several settled set servicio thats there lesser was whats what were went well weeks way waste warrant these wants wanted want waiting wait vs virtue value where while why wife youll you yet years yearly yall ya wouldn would worth workable work wont won without with willing vaccine ut using trying tried tracking town tooo too told today tired tipped times tightening tight throughout through think things they try twice uses two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring retired newest nothing nonsense nonesence non no nice next news new resubscribe never needed must multiple much moving moved more notified now off offer other original or options option opportunity opening opened ontario only oneday one once ok often offset offered months monthly moment lower loose looking longer long lol locations location living live little limiting limited limit like life letting let lost loyalty mistake luck mind merge memberships membership members member medical means maybe married market many manservices making makes make made our out outside reason reality reactivate re rather rate raising raises raised raise quickly quality putting put pushed provider profits profit really recent problem
Average topic coherence for the top words is -230885.04191932827
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.35it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.31it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.36it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.38it/s]
 10%|█         | 5/50 [00:00<00:08,  5.38it/s]
 12%|█▏        | 6/50 [00:01<00:08,  4.93it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.04it/s]
 16%|█▌        | 8/50 [00:01<00:08,  4.89it/s]
 18%|█▊        | 9/50 [00:01<00:08,  4.57it/s]
 20%|██        | 10/50 [00:02<00:09,  4.33it/s]
 22%|██▏       | 11/50 [00:02<00:08,  4.58it/s]
 24%|██▍       | 12/50 [00:02<00:07,  4.79it/s]
 26%|██▌       | 13/50 [00:02<00:07,  4.92it/s]
 28%|██▊       | 14/50 [00:02<00:07,  4.96it/s]
 30%|███       | 15/50 [00:03<00:06,  5.02it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.05it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.13it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.22it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.28it/s]
 40%|████      | 20/50 [00:03<00:05,  5.33it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.37it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.42it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.42it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.44it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.45it/s]
 52%|█████▏    | 26/50 [00:05<00:04,  5.46it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.46it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.45it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.43it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.42it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.41it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.45it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.46it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.47it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.43it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.39it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.38it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.39it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.42it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.44it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.44it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.44it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.45it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.45it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.44it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.44it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.41it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.43it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.45it/s]
100%|██████████| 50/50 [00:09<00:00,  5.27it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.83it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.73it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.72it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.76it/s]
 10%|█         | 5/50 [00:00<00:06,  6.74it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.75it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.74it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.73it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.74it/s]
 20%|██        | 10/50 [00:01<00:05,  6.72it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.70it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.73it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.73it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.71it/s]
 30%|███       | 15/50 [00:02<00:05,  6.72it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.70it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.65it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.63it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.61it/s]
 40%|████      | 20/50 [00:02<00:04,  6.63it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.67it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.69it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.70it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.70it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.72it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.73it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.71it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.71it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.72it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.73it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.73it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.75it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.75it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.71it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.69it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.72it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.71it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.74it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.77it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.77it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.75it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.76it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.79it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.72it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.72it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.72it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.70it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.72it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.76it/s]
100%|██████████| 50/50 [00:07<00:00,  6.72it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.51it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.54it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.57it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.61it/s]
 10%|█         | 5/50 [00:01<00:12,  3.62it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.63it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.62it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.61it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.63it/s]
 20%|██        | 10/50 [00:02<00:11,  3.63it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.63it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.63it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.63it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.64it/s]
 30%|███       | 15/50 [00:04<00:09,  3.62it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.61it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.60it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.61it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.60it/s]
 40%|████      | 20/50 [00:05<00:08,  3.52it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.50it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.53it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.47it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.50it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.45it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.50it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.50it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.51it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.52it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.55it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.56it/s]
 64%|██████▍   | 32/50 [00:08<00:05,  3.57it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.58it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.58it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.57it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.58it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.57it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.56it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.54it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.57it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.54it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.56it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.56it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.56it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.57it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.58it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.60it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.61it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.62it/s]
100%|██████████| 50/50 [00:13<00:00,  3.57it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.81it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.78it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.77it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.78it/s]
 10%|█         | 5/50 [00:01<00:16,  2.74it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.74it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.75it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.75it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.75it/s]
 20%|██        | 10/50 [00:03<00:14,  2.76it/s]
 22%|██▏       | 11/50 [00:03<00:14,  2.76it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.76it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.76it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.77it/s]
 30%|███       | 15/50 [00:05<00:12,  2.77it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.77it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.77it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.77it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.76it/s]
 40%|████      | 20/50 [00:07<00:10,  2.75it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.75it/s]
 44%|████▍     | 22/50 [00:07<00:10,  2.75it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.76it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.76it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.77it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.77it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.77it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.76it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.76it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.76it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.76it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.76it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.77it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.75it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.74it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.75it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.76it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.76it/s]
 78%|███████▊  | 39/50 [00:14<00:03,  2.77it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.76it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.75it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.74it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.76it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.76it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.76it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.76it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.77it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.74it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.74it/s]
100%|██████████| 50/50 [00:18<00:00,  2.76it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.84it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.84it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.83it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.82it/s]
 10%|█         | 5/50 [00:02<00:24,  1.82it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.83it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.84it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.84it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.83it/s]
 20%|██        | 10/50 [00:05<00:21,  1.83it/s]
 22%|██▏       | 11/50 [00:05<00:21,  1.84it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.84it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.84it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.84it/s]
 30%|███       | 15/50 [00:08<00:19,  1.84it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.84it/s]
 34%|███▍      | 17/50 [00:09<00:17,  1.84it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.82it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.83it/s]
 40%|████      | 20/50 [00:10<00:16,  1.83it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.83it/s]
 44%|████▍     | 22/50 [00:11<00:15,  1.83it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.84it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.84it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.84it/s]
 52%|█████▏    | 26/50 [00:14<00:12,  1.85it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.84it/s]
 56%|█████▌    | 28/50 [00:15<00:11,  1.84it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.84it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.83it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.84it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.84it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.84it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.83it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.82it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.82it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.81it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.81it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.81it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.82it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.82it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.83it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.83it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.82it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.82it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.80it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.81it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.81it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.82it/s]
100%|██████████| 50/50 [00:27<00:00,  1.83it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.28it/s]
Topic 0 | Coherence=-236803.59 | Top words= too expensive for is worth me prices it not keep now to going much many have life price so new currently subscription just you up forcing nice iny pop choice keeping face especially shoves with make lost anymore the no more subscriber raised your service unfortunately upward getting fees right are be added gotten charges times everything greedy rules raising others else compared switching fault used hikes stupid don rule hacked its maybe later offered increasing vs itself options fix girl hard ya isnt already constant different subscriptions cant policies thanks whats absurd secure we easily overpriced hackednot increased pleased keeps benefits declined back start moving sharing fixed forever isn free food issues fiance frequent finally focused from fuel financial flat financially first issue forth horrible few feet last entertaining laid entertainment lack euro even every kids expected expenses kidding extortion extra kept justify fact fair family fan far joint fee feel join future jacking job into games having half ill hand if happy idea end hardly husband has hungry huge havent he garbage how households health help her household high higher hike house hiking history hosehold im had improvements hacking gas intolerable get holder gf interested give given instead inflation go goes increments gone increasses gonna good got increases increase gouging grandkids great income greed in guys enough youre emails being biggest biden biased biannually bf between better benefit begin automatically before been becoming because became barely bank awhile bill billing billings bills cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit away aunt email additional agree againlater again after afford adicional addtional addresses addition at adding activities acct accounts account access acceptance about alarming all allow allowed as aren apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also almost card care cared deal disappointed direction differences didnt deteriorated delivering decisions death days caring day daughter date damn dad cutting cut customers discontinue layoff disgusts divorce elsewhere eliminating el edge earlier each duplicate due drive drastically drain down double dont done doesnt do customer current currency come combine college climbing climb city choose checking cheaper charging charged charge changing changes changed change cell caused combining coming creep company credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive disgusting loyal learning stealing states starting started squeeze spouses spouse spending spend span sorry soon son something someone some situation single stay stepdad significant stop than terrible temporary temporarily taste talk taking take system support summer success subscribers sub stranger stopping stopped since signaling restart second scales saving save same run rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction scaling see sign seems sight sick shouldn should short she share shady several settled set servicio services series sense selection seen thank that thats where what were went well weeks week way waste was warrant wants wanted want waiting wait virtue value when while their who youll yet years yearly year yall wouldn would workable work wont won without willing will wife why vaccine ut using uses tooo told today tired tipped time tightening tight throughout through this think things thing they these there town tracking tried unnecessary users use us upping upcoming until unneeded unfair try unemployed understand under unable two twice trying restrict respect leave non news newest never needed need my must multiple moved move months monthly month money monetary moment mom next nonesence mind nonsense opportunity opening opened ontario only oneday one once on ok often offset offer off of notified nothing mistake might residence longer lol locations location ll living live little limiting limited limit like letting let lesser less legacy left long looking merge loose memberships membership members member medical means may married market manservices making makes made luck loyalty lower losing option or original re rates rate raises raise quickly quality putting put pushed provider profits profit profiles problem pricing president prescription rather reactivate
Topic 1 | Coherence=-216637.35 | Top words= to cut back the just month expenses prices due have need with and cancel costs job this losing high fuel these entertainment don almost in subscriptions rise having increased lost on per other rent damn it change first bills hard didnt let financially trying out yall mind gas me date account reducing piracy looking must retiring some time of holder eliminating death cutting unneeded monthly medical unnecessary climbing lol restriction country for gf going got euro good gonna gone garbage goes especially go entertaining given give get girl games getting fact forcing future fault fiance few feet fees feel fee far from expensive fan extortion family extra fair finally expected financial fix gouging everything fixed flat focused food every face forever even forth free frequent gotten youre grandkids great join jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation increments increasses joint justify keep layoff letting lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps increasing increases increase hand help health he havent has hardly happy half higher had hacking hackednot hacked guys greedy greed her hike income huge improvements im ill if idea husband hungry how hikes households household house hosehold horrible history hiking enough drastically end been bf between better benefits benefit being begin before becoming at because became be barely bank awhile away automatically biannually biased biden biggest canceling can bye by but business buggin budget broke break boyfriend both blindly bit billings billing bill aunt as cannot addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already allowed cancelling cant emails decisions discontinue disappointed direction different differences deteriorated delivering declined deal creep days day daughter dad customers customer currently current disgusting disgusts divorce do email elsewhere else el edge easily earlier each duplicate drive like drain down double dont done doesnt currency credit card charged climb city choose choice checking cheaper charging charges charge covid changing changes changed cell caused caring cared care college combine combining come courtesy cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming life loyal limit started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub limited talk that thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscription subscribers son something someone second service series sense selection seen seems see secure scaling so scales saving save same run rules rule rotating services servicio set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several thats their there week where when whats what were went well weeks we vs way waste was warrant wants wanted want waiting while who why wife youll you yet years yearly year ya wouldn would worth workable work wont won without willing will wait virtue they tired try tried tracking town tooo too told today tipped value times tightening tight throughout through think things thing twice two unable under vaccine ut using uses users used use us upward upping upcoming up until unfortunately unfair unemployed understand rising risen ripped non offer off now notified nothing not nonsense nonesence no much nice next news newest new never needed my offered offset often ok overpriced over outside our others original or options option opportunity opening opened ontario only oneday one once multiple moving owner loose making makes make made luck loyalty your lower longer moved long locations location ll living live little limiting manservices many market married move more months money monetary moment mom mistake might merge memberships membership members member means maybe may own owning right rate recent reason really reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recently recession rectifying redo
Topic 2 | Coherence=-226167.26 | Top words= the this you not price back months and it to are come will is me for have if good again in new money only email consider want fact bye that makes reactivate issue rectifying forever give never few budget ill your raising as try once tight stop increasing customer take addtional youll business elsewhere constantly prices system workable increases upcoming value rates continually spending while delivering point little going raise happy return wait raised may out under restart twice go pls support nonesence lower nothing wont biased hungry increments politically gouging future profits ridiculous before really fiance finally financial first laid fix fixed keep financially food flat focused keeping im forcing justify forth free frequent from fuel games last increased entertainment feet fees euro even every everything expected expenses expensive entertaining extortion kidding kids kept extra face keeps lack enough fair family fan garbage far fault fee increase improvements especially feel idea gas high its issues isnt havent having isn he iny health intolerable help her into interested higher get hike hikes hiking instead history holder horrible hosehold inflation house household households how increasses itself end has hardly just getting gf girl huge given joint goes income gone gonna join got gotten grandkids great greed job greedy guys jacking husband hacked hackednot hacking had half hand hard youre doesnt emails being biggest biden biannually bf between better benefits benefit begin automatically been becoming because became be barely bank awhile bill billing billings bills care card cant cannot cancelling canceling cancel can by but buggin broke break boyfriend both blindly bit away aunt else adding agree againlater after afford adicional addresses additional addition added at activities acct accounts account access acceptance absurd about alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cared caring caused decisions discontinue disappointed direction different differences didnt deteriorated declined death cell deal days day daughter date damn dad cutting disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don layoff cut customers currently coming combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change combining company current compared currency creep credit covid courtesy country costs cost continuous continues continue continously constant consolidating connected compromised competitive later loyal learning states started start squeeze spouses spouse spend span sorry soon son something someone some so situation single since starting stay signaling stealing temporarily taste talk taking switching summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped stepdad significant sign terrible seems secure second scaling scales saving save same run rules rule rotating rising risen rise ripped right retiring see seen sight selection sick shoves shouldn should short she sharing share shady several settled set servicio services service series sense temporary than leave whats were went well weeks week we way waste was warrant wants wanted waiting vs virtue vaccine ut what when uses where yet years yearly year yall ya wouldn would worth work won without with willing wife why who using users thank too today tired tipped times time tightening throughout through think things thing they these there their thats thanks told tooo used town use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand unable two trying tried tracking retired resume resubscribe next newest needed need my must multiple much moving moved move more monthly month monetary moment mom mistake news nice might no opening opened ontario oneday one on ok often offset offered offer off of now notified nonsense non mind merge restriction longer lol locations location ll living live limiting limited limit like life letting let lesser less legacy left long looking memberships loose membership members member medical means maybe married market many manservices making make made luck loyalty lost losing opportunity option options re rate raises quickly quality putting put pushed provider profit profiles problem pricing president prescription prefer preemptively power rather reality
Topic 3 | Coherence=-225004.43 | Top words= to my and different the be in you want me of live subscription two use on that cancel will country mom membership moved won since places restrict location able currency both addresses current changed another where moving drain anticonsumer was service wants go money people using are boyfriend card caused barely down through sick euro her locations everything even every given give expected going expenses expensive girl gf extortion getting goes financial extra gouging hacked guys greedy greed great grandkids gotten especially enough entertaining got good entertainment gonna gone get financially focused feel fees for feet hacking food flat fee fixed few fix first fiance finally forcing fault face family gas garbage games future fact fair fuel forever fan from frequent free forth far hackednot hike had keep just joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested justify keeping half keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept instead inflation increments increasses history hiking hikes emails higher high help health he having havent have has hardly hard happy hand holder horrible hosehold ill increasing increases increased increase income improvements im if house idea husband hungry huge how households household end done email begin biased biannually bf between better benefits benefit being before cared been becoming because became bank back awhile away biden biggest bill billing cant cannot cancelling canceling can bye by but business buggin budget broke break blindly bit bills billings automatically aunt at agree again after afford adicional addtional additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming as all aren apps aparently anyways anymore any annually an amounts amount amercian am also already almost allowed allow care caring elsewhere death disappointed direction differences didnt deteriorated delivering declined decisions deal cell days day daughter date damn dad cutting cut discontinue disgusting disgusts divorce else eliminating el edge easily earlier each duplicate due drive drastically double dont limit don doesnt do customers customer currently coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes change come company creep compared credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive like youre limited spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped retiring switching terrible temporary temporarily taste talk taking take system support stopping summer success subscriptions subscribers subscriber sub stupid stranger so situation single run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped right ridiculous seems seen selection sense signaling sign sight shoves shouldn should short she sharing share shady several settled set servicio services series than thank thanks way whats what were went well weeks week we waste uses warrant wanted waiting wait vs virtue value vaccine when while who why youll yet years yearly year yall ya wouldn would worth workable work wont without with willing wife ut users thats tight too told today tired tipped times time tightening throughout used this think things thing they these there their tooo town tracking tried us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try return retired limiting non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered often resume options over outside out our others other original or option ok opportunity opening opened ontario only oneday one once must multiple much lost making makes make made luck loyalty your lower losing move loose looking longer long lol ll living little manservices many market married more months monthly month monetary moment mistake mind might merge memberships members member medical means maybe may overpriced own owner raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
Topic 4 | Coherence=-225572.18 | Top words= to my pay charge but greedy have is just for bill after youre subscription that not are disgusting taste was company its extortion it starting additional subscriptions about do profit last family different profiles me so prices year raising an ill card compromised without because charged wanted allowed option credit told automatically bank increase will moving hacked get once today settled rejoin even think notified locations am price fault acceptance high can business thanks been willing grandkids games gouging gotten got garbage gas going getting good gonna girl give gone future given go goes gf fixed fuel feet feel fee far fan fair fact face extra expensive expenses expected everything every euro especially fees few from fiance frequent free forth forever forcing life food focused flat greed fix first financially financial finally great lesser letting inflation isn learning iny intolerable into interested instead increments if increasses increasing increases increased income in improvements layoff isnt issue issues later laid lack kids kidding kept keeps keeping keep justify joint join job jacking itself im idea guys let her help health he having havent has hardly leave hard happy hand half had hacking hackednot entertaining higher hike hikes left husband hungry huge how households household house hosehold legacy horrible holder history less hiking entertainment done enough bit billings billing biggest biden biased biannually bf between better benefits benefit being begin before becoming became be bills blindly back both cell caused caring cared care cant cannot cancelling canceling cancel bye by buggin budget broke break boyfriend barely awhile end allow alarming agree againlater again afford adicional addtional addresses addition adding added activities acct accounts account access absurd all almost away already aunt at as aren apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian also change changed changes don divorce disgusts discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date doesnt limit changing dont emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double damn dad cutting cut connected competitive compared coming come combining combine college climbing climb city choose choice checking cheaper charging charges consider consolidating constant courtesy customers customer currently current currency creep covid country constantly costs cost continuous continues continue continually continously like loyal limited spending stealing stay states started start squeeze spouses spouse spend stop span sorry soon son something someone some situation stepdad stopped retiring system thank than terrible temporary temporarily talk taking take switching stopping support summer success subscribers subscriber sub stupid stranger single since significant run see secure second scaling scales saving save same rules signaling rule rotating rising risen rise ripped right ridiculous seems seen selection sense sign sight sick shoves shouldn should short she sharing share shady several set servicio services service series thats the their way whats what were went well weeks week we waste ut warrant wants want waiting wait vs virtue value when where while who youll you yet years yearly yall ya wouldn would worth workable work wont won with wife why vaccine using there time tried tracking town tooo too tired tipped times tightening uses tight throughout through this things thing they these try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retired limiting new nonsense nonesence non no nice next news newest never now needed need must multiple much moved move more nothing of resume ontario others other original or options opportunity opening opened only off oneday one on ok often offset offered offer months monthly month loose make made luck loyalty your lower lost losing looking money longer long lol location ll living live little makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market our out outside raised really reality reactivate re rather rates rate raises raise president quickly quality putting put pushed provider profits problem reason recent recently recession
Topic 5 | Coherence=-230117.88 | Top words= and money to you up prices raising on more just of new keep anymore going in me from need go fees continue change services fee keeps am it because worth people been yet squeeze cost fixed years even income charges raised added out yall country stealing greed havent billing try rules many loose customers down adding continously membership waste went restriction quality dont raise really non get enough focused aren constantly retired monthly scaling redo temporarily profits want kidding ontario save when additional wife don week good consolidating living greedy with only share garbage gf games gas girl getting entertainment future fuel give given everything especially feet expected expenses expensive every extortion extra face fact fair family fan far fault feel few frequent fiance finally financial financially first fix flat food euro for forcing forever forth free youre hardly goes increments is iny intolerable into interested instead inflation increasses isnt increasing increases increased increase improvements im ill isn issue idea kept learning layoff later last laid lack kids keeping issues justify joint join job jacking itself its if husband gone hackednot has hard happy hand half had hacking hacked having guys great grandkids gouging gotten got gonna have he hungry holder huge how households household house hosehold horrible history health hiking hikes hike higher high her help entertaining doesnt end benefit biggest biden biased biannually bf between better benefits being emails begin before becoming became be barely bank back bill billings bills bit cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly awhile away automatically all agree againlater again after afford adicional addtional addresses addition activities acct accounts account access acceptance absurd about alarming allow aunt allowed at as are apps aparently anyways any anticonsumer another annually an amounts amount amercian also already almost card care cared disgusts discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn disgusting divorce cutting do email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain double done left dad cut caring come combine college climbing climb city choose choice checking cheaper charging charged charge changing changes changed cell caused combining coming customer company currently current currency creep credit covid courtesy costs continuous continues continually constant consider connected compromised competitive compared leave loyal legacy spouse stop stepdad stay states starting started start spouses spending less spend span sorry soon son something someone some stopped stopping stranger stupid than terrible temporary taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub so situation single selection seems see secure second scales saving same run rule rotating rising risen rise ripped right ridiculous return seen sense since series significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio service thank thanks that were weeks we way was warrant wants wanted waiting wait vs virtue value vaccine ut using uses users well what use whats youll yearly year ya wouldn would workable work wont won without willing will why who while where used us thats told tired tipped times time tightening tight throughout through this think things thing they these there their the today too upward tooo upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying tried tracking town retiring resume resubscribe nonesence nice next news newest never needed my must multiple much moving moved move months month monetary moment no nonsense mistake not options option opportunity opening opened oneday one once ok often offset offered offer off now notified nothing mom mind original lost looking longer long lol locations location ll live little limiting limited limit like life letting let lesser losing lower might your merge memberships members member medical means maybe may married market manservices making makes make made luck loyalty or other restrict reactivate rather rates rate raises quickly putting put pushed provider profit profiles problem pricing price president prescription prefer re reality power
Topic 6 | Coherence=-223122.35 | Top words= have other in the price more continues with climb benefit subscriptions are your than better do two subscription higher others thing who same rates and added one no prices house direction tipped selection scales of goes finally multiple continually go rise services time users significant live need but waste would rather learning to cannot sight get money end spend dont poland amercian personal moved between aparently stopped our issues billings health short summer households gf merge activities another kidding family given enough gonna garbage gone extortion gas expensive expenses expected entertaining everything entertainment every even euro getting games going girl give especially financially fact extra fee financial fix fixed good fiance few feet fees focused feel food for fault face far fan forcing forever forth free frequent from fair fuel first future flat youre got gotten it issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased increase its itself jacking kids left leave layoff later last laid lack kept job keeps keeping keep justify just joint join income improvements im hacking emails hardly hard happy hand half had hackednot having hacked guys greedy greed great grandkids gouging havent he ill hosehold if idea husband hungry huge how household horrible help holder history hiking hikes hike high her has divorce email begin bill biggest biden biased biannually bf benefits being before caused been becoming because became be barely bank back billing bills bit blindly cared care card cant cancelling canceling cancel can bye by business buggin budget broke break boyfriend both awhile away automatically alarming againlater again after afford adicional addtional addresses additional addition adding acct accounts account access acceptance absurd about agree all aunt allow at as aren apps anyways anymore any anticonsumer annually an amounts amount am also already almost allowed caring cell elsewhere death disappointed different differences didnt deteriorated delivering declined decisions deal change days day daughter date damn dad cutting cut discontinue disgusting disgusts less else eliminating el edge easily earlier each duplicate due drive drastically drain down double done don doesnt customers customer currently company come combining combine college climbing city choose choice checking cheaper charging charges charged charge changing changes changed coming compared current competitive currency creep credit covid courtesy country costs cost continuous continue continously constantly constant consolidating consider connected compromised legacy loyal lesser spouses stepdad stealing stay states starting started start squeeze spouse their spending span sorry soon son something someone some stop stopping stranger stupid that thanks thank terrible temporary temporarily taste talk taking take system switching support success subscribers subscriber sub so situation single see second scaling saving save run rules rule rotating rising risen ripped right ridiculous return retiring retired resume secure seems since seen signaling sign sick shoves shouldn should she sharing share shady several settled set servicio service series sense thats there restriction we when whats what were went well weeks week way these was warrant wants wanted want waiting wait vs where while why wife youll you yet years yearly year yall ya wouldn worth workable work wont won without willing will virtue value vaccine trying tried tracking town tooo too told today tired times tightening tight throughout through this think things they try twice ut unable using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under resubscribe restrict let my non nice next news newest new never needed must or much moving move months monthly month monetary moment nonesence nonsense not nothing option opportunity opening opened ontario only oneday once on ok often offset offered offer off now notified mom mistake mind lower losing loose looking longer long lol locations location ll living little limiting limited limit like life letting lost loyalty might luck memberships membership members member medical means me maybe may married market many manservices making makes make made options original restart putting re rate raising raises raised raise quickly quality put out pushed provider profits profit profiles problem pricing president reactivate reality really
Topic 7 | Coherence=-234642.63 | Top words= the price you that your to for hike and like pay of just cancel raised sharing newest hikes shady tried offer too used dont will want once fact many has almost months since also selection an charging was gone increase from lack are because rate people member deteriorated drastically year guys charge share span hand stop out something greed in acceptance they getting or up extra canceling reality increasses sorry oneday earlier offset each have went got care loose far stupid preemptively change next before annually cant what damn buggin luck original yearly take became declined expensive again prefer several moving much spend break residence gf weeks company provider girl expected give euro expenses get even everything given extortion every fee gas fan feel fees feet few fault fiance finally financial financially first go fix fixed flat garbage focused food family fair forcing forever forth free frequent face fuel future games youre hard goes idea is iny intolerable into interested instead inflation increments increasing increases increased income improvements im ill isn isnt issue justify kids kidding kept keeps keeping keep joint issues join job jacking itself its it if husband going hungry hardly entertainment happy half had hacking hackednot hacked greedy great grandkids gouging gotten good gonna havent having he horrible huge how households household house hosehold holder health history hiking higher high her help especially disgusting entertaining billing biggest biden biased biannually bf between better benefits benefit being begin been becoming be barely bank back bill billings enough bills caused caring cared card cannot cancelling can bye by but business budget broke boyfriend both blindly bit awhile away automatically aunt againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access absurd about agree alarming all any at as aren apps aparently anyways anymore anticonsumer allow another amounts amount amercian am already allowed cell changed changes cut disgusts last discontinue disappointed direction different differences didnt delivering decisions death deal days day daughter date dad divorce do doesnt edge end emails email elsewhere else eliminating el easily don duplicate due drive drain down double done cutting customers changing customer compromised competitive compared coming come combining combine college climbing climb city choose choice checking cheaper charges charged connected consider consolidating country currently current currency creep credit covid courtesy costs constant cost continuous continues continue continually continously constantly laid loyal later stepdad stay states starting started start squeeze spouses spouse spending soon son someone some so situation single significant stealing stopped sign stopping terrible temporary temporarily taste talk taking system switching support summer success subscriptions subscription subscribers subscriber sub stranger signaling sight layoff saving same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction save scales sick scaling shoves shouldn should short she settled set servicio services service series sense seen seems see secure second than thank thanks where whats were well week we way waste warrant wants wanted waiting wait vs virtue value vaccine ut when while thats who youll yet years yall ya wouldn would worth workable work wont won without with willing wife why using uses users use told today tired tipped times time tightening tight throughout through this think things thing these there their tooo town tracking unfortunately us upward upping upcoming until unneeded unnecessary unfair try unemployed understand under unable two twice trying restrict restart respect never need my must multiple moved move more monthly month money monetary moment mom mistake mind might merge needed new opening news ontario only one on ok often offered off now notified nothing not nonsense nonesence non no nice memberships membership members medical location ll living live little limiting limited limit life letting let lesser less legacy left leave learning locations lol long making means me maybe may married market manservices makes longer make made loyalty lower lost losing looking opened opportunity reside rates raises raise quickly quality putting put pushed profits profit profiles problem pricing prices president prescription power possible raising rather
Topic 8 | Coherence=-235529.37 | Top words= subscription im and services if better youre charge extra people other cheaper kept my reason gonna raising are using prices was you so charging now keep out the it only with for your that an has in sharing service already no will hikes profiles price bf he phone through future provider parents support moving expected issues am at longer getting same residence get free family daughter connected spouse offered replace be cell profits she but switching changes seems warrant try long give fair fact face extortion expensive gf expenses girl everything food fan even euro given especially go goes entertainment going entertaining enough every gas focused fuel forcing forever forth flat fixed fix first financially frequent from financial far finally fiance few feet fees feel games fee fault garbage gone half good improvements its issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased increase itself jacking job laid legacy left leave learning layoff later last lack join kids kidding keeps keeping justify just joint income ill got idea have hardly hard happy hand emails had hacking hackednot hacked guys greedy greed great grandkids gouging gotten havent having health hosehold husband hungry huge how households household house horrible help holder history hiking hike higher high her end done email being bill biggest biden biased biannually between benefits benefit begin away before been becoming because became barely bank back billing billings bills bit card cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly awhile automatically cared adding again after afford adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about againlater agree alarming all as aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian also almost allowed allow care caring elsewhere delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cut decisions death deal days day date damn dad disgusts divorce do doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont lesser don cutting customers caused climb compared company coming come combining combine college climbing city customer choose choice checking charges charged changing changed change competitive compromised consider consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant less loyal let started stopping stopped stop stepdad stealing stay states starting start these squeeze spouses spending spend span sorry soon son stranger stupid sub subscriber their thats thanks thank than terrible temporary temporarily taste talk taking take system summer success subscriptions subscribers something someone some selection see secure second scaling scales saving save run rules rule rotating rising risen rise ripped right ridiculous seen sense situation series single since significant signaling sign sight sick shoves shouldn should short share shady several settled set servicio there they retiring we when whats what were went well weeks week way thing waste wants wanted want waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife value vaccine ut trying tracking town tooo too told today to tired tipped times time tightening tight throughout this think things tried twice uses two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retired letting multiple next news newest new never needed need must much options moved move more months monthly month money monetary nice non nonesence nonsense opportunity opening opened ontario oneday one once on ok often offset offer off of notified nothing not moment mom mistake luck lower lost losing loose looking lol locations location ll living live little limiting limited limit like life loyalty made mind make might merge memberships membership members member medical means me maybe may married market many manservices making makes option or resume quickly reactivate re rather rates rate raises raised raise quality original putting put pushed profit problem pricing president prescription reality really recent
Topic 9 | Coherence=-221191.89 | Top words= my the as you it subscription now for time can in many on by use months going last possible this am just much divorce see trying wife moved to courtesy left through was cut being spending reduce opened used bills access duplicate mistake stranger don thank hacked constantly we users broke losing flat save first tired think opening food lesser got forcing frequent gotten focused good forever leave forth less free gonna goes go from fuel future games garbage gas gone get getting gf girl legacy give given its fix fixed euro life expensive expenses expected everything every even especially extra entertainment entertaining enough end emails email elsewhere extortion face let feet grandkids financially financial finally letting fiance few fees fact feel fee fault far fan family fair gouging hacking great im joint increase income justify keep improvements keeping keeps kept ill if idea husband hungry huge how increased join increases increasing issues issue isnt isn is iny intolerable into interested instead jacking inflation increments increasses job households household greed hard he having havent have has hardly learning happy house hand half had itself hackednot guys greedy health help her else kidding hosehold horrible kids lack laid holder history hiking hikes hike higher high later layoff youre do eliminating becoming bf between better benefits benefit begin before been because at became be barely bank back awhile away automatically biannually biased biden biggest cannot cancelling canceling cancel bye but business buggin budget break boyfriend both blindly bit billings billing bill aunt aren card addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts account acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost allowed cant care el day didnt deteriorated delivering declined decisions death deal days daughter creep date damn dad cutting customers customer currently current differences different direction disappointed edge easily earlier each due drive drastically drain down double dont done doesnt limit disgusts disgusting discontinue currency credit cared charges climbing climb city choose choice checking cheaper charging charged covid charge changing changes changed change cell caused caring college combine combining come country costs cost continuous continues continue continually continously constant consolidating consider connected compromised competitive compared company coming like loyal limited sorry starting started start squeeze spouses spouse spend span soon stay son something someone some so situation single since states stealing limiting summer temporarily taste talk taking take system switching support success stepdad subscriptions subscribers subscriber sub stupid stopping stopped stop significant signaling sign rotating second scaling scales saving same run rules rule rising sight risen rise ripped right ridiculous return retiring retired secure seems seen selection sick shoves shouldn should short she sharing share shady several settled set servicio services service series sense temporary terrible than week where when whats what were went well weeks way value waste warrant wants wanted want waiting wait vs while who why will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine thanks tight town tooo too told today tipped times tightening throughout ut things thing they these there their thats that tracking tried try twice using uses us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two resume resubscribe restriction next notified nothing not nonsense nonesence non no nice news more newest new never needed need must multiple moving of off offer offered out our others other original or options option opportunity ontario only oneday one once ok often offset move monthly over looking make made luck loyalty your lower lost loose longer month long lol locations location ll living live little makes making manservices market money monetary moment mom mind might merge memberships membership members member medical means me maybe may married outside overpriced restrict quickly re rather rates rate raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reactivate reality really reason
Topic 10 | Coherence=-228957.79 | Top words= of extra you with my increase out share me the charging family subscription cant for because without raising prices pay sharing grandkids stay keep are only bill news states outside power won about limit idea or now improvements differences months any work subscriptions town hosehold one spending made happy need combine moment households elsewhere at us currently recent reside letting temporary creep card pleased changing dont youre end your issues we give girl first fix lack fixed flat focused food kids forcing go forever forth free kidding kept keeps going frequent from keeping given fuel future games garbage gas get getting gf financially financial finally every extortion expensive expenses expected everything legacy even leave euro less especially lesser entertainment entertaining left learning laid fee fiance last few feet fees feel fault face far fan later fair fact layoff goes ill if high hiking hikes inflation instead hike higher her intolerable help health interested he having into history holder horrible increments house household increasses increasing increases how huge increased hungry husband income in im havent iny gonna join guys greedy greed jacking job great joint is gouging gotten got just good justify hacked itself hackednot its hacking had it half issue isnt hand isn hard hardly has have enough gone down emails before biannually bf between better benefits benefit being begin been biden becoming became be barely bank back awhile away biased biggest email buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account access acceptance absurd agree alarming all allow apps aparently anyways anymore anticonsumer another annually and an amounts amount amercian am also already almost allowed cannot care cared death disappointed direction different didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut discontinue disgusting disgusts divorce else eliminating el edge easily earlier each duplicate due drive drastically drain double done don doesnt do customers current caring checking come combining college climbing climb city choose choice cheaper currency charges charged charge changes changed change cell caused coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised let loyal life start stranger stopping stopped stop stepdad stealing starting started squeeze some spouses spouse spend span sorry soon son something stupid sub subscriber subscribers their thats that thanks thank than terrible temporarily taste talk taking take system switching support summer success someone so right saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service services single since significant signaling sign sight sick shoves shouldn should short she shady several settled set servicio there these they was what were went well weeks week way waste warrant thing wants wanted want waiting wait vs virtue value whats when where while youll yet years yearly year yall ya wouldn would worth workable wont willing will wife why who vaccine ut using try tracking tooo too told today to tired tipped times time tightening tight throughout through this think things tried trying uses twice users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped ridiculous like newest nothing not nonsense nonesence non no nice next new monthly never needed must multiple much moving moved move notified off offer offered over our others other original options option opportunity opening opened ontario oneday once on ok often offset more month return long luck loyalty lower lost losing loose looking longer lol money locations location ll living live little limiting limited make makes making manservices monetary mom mistake mind might merge memberships membership members member medical means maybe may married market many overpriced own owner rate recently reason really reality reactivate re rather rates raises owning raised raise quickly quality putting put pushed provider recession rectifying redo
Topic 11 | Coherence=-240486.61 | Top words= and you don about using subscription extra my money that want the family paying when bill like share outside limit idea with power states news have keep do even garbage customers need why not married service to extortion rate husband so customer your good dont guys care needed got two subscriptions memberships enough taste company put disgusting prices services forth different its anymore another just upping by spend but blindly fair fault unable as recently amounts huge how up im quality on kids had should losing charges spouses set much accounts agree damn checking cut drive some thanks getting notified been longer billing was break users fiance finally financial issue food financially first fix fixed few flat focused isnt for forcing fees forever isn is iny free frequent from fuel future intolerable feet hikes feel interested later last euro laid lack kidding every everything expected expenses kept expensive keeps keeping justify face joint fact join job fan jacking itself far it issues fee into instead games hosehold hacking if hungry households half household house hand happy hard hardly has havent hacked horrible having entertainment holder he health help her history high higher hike hackednot ill hiking increasing gas get inflation increments gf girl increasses give given go goes going gone greedy gonna increases increased increase income in gotten gouging grandkids great greed improvements especially youre entertaining away biased biannually bf between better benefits benefit being begin before becoming because became be barely bank back biden biggest billings can cared card cant cannot cancelling canceling cancel bye bills business buggin budget broke boyfriend both bit awhile automatically caused aunt againlater again after afford adicional addtional addresses additional addition adding added activities acct account access acceptance absurd alarming all allow anticonsumer at aren are apps aparently anyways any annually allowed an amount amercian am also already almost caring cell end currently learning discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date dad disgusts divorce doesnt easily emails email elsewhere else eliminating el edge earlier done each duplicate due drastically drain down double cutting current change currency coming come combining combine college climbing climb city choose choice cheaper charging charged charge changing changes changed compared competitive compromised continuous creep credit covid courtesy country costs cost continues connected continue continually continously constantly constant consolidating consider layoff loyal leave stepdad stay starting started start squeeze spouse spending span sorry soon son something someone situation single since significant stealing stop sign stopped terrible temporary temporarily talk taking take system switching support summer success subscribers subscriber sub stupid stranger stopping signaling sight thank saving same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction save scales sick scaling shoves shouldn short she sharing shady several settled servicio series sense selection seen seems see secure second than thats restart while whats what were went well weeks week we way waste warrant wants wanted waiting wait vs virtue where who vaccine wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value ut their tooo told today tired tipped times time tightening tight throughout through this think things thing they these there too town uses tracking used use us upward upcoming until unneeded unnecessary unfortunately unfair unemployed understand under twice trying try tried restrict respect left nonesence no nice next newest new never must multiple moving moved move more months monthly month monetary moment non nonsense mistake nothing option opportunity opening opened ontario only oneday one once ok often offset offered offer off of now mom mind or lost looking long lol locations location ll living live little limiting limited life letting let lesser less legacy loose lower might loyalty merge membership members member medical means me maybe may market many manservices making makes make made luck options original residence rather raising raises raised raise quickly putting pushed provider profits profit profiles problem pricing price president prescription prefer rates re possible
Topic 12 | Coherence=-234763.24 | Top words= price and subscription is we the too will where your many access increases why have my luck increments checking am in now change greed pay good canceling be sharing different fee upcoming ridiculous use locations subscriptions anticonsumer increase for people of bye how new charges tracking their are they limited talk charging recent moving married consolidating got me stopping don getting reality it after fiance passed lack away hike member currency owner over euro business caring cheaper since waiting combining location day rules aunt ontario taking until boyfriend gouging wants quality gonna opening thank significant opened last girl even every goes give gone gf given go going fair get expected financial finally expenses few feet fees expensive feel fault extortion extra face far fact fan financially first gas fix garbage games future fuel from frequent free family forth forever forcing food everything focused fixed flat youre gotten if issue isnt isn iny intolerable into interested instead inflation increasses increasing increased income improvements im issues its itself keeps layoff later laid kids kidding kept keeping jacking keep justify just joint join job ill idea grandkids husband entertainment havent has hardly hard happy hand half had hacking hackednot hacked guys greedy great having he health horrible hungry huge households household house hosehold holder help history hiking hikes higher high her especially do entertaining bill biden biased biannually bf between better benefits benefit being begin before been becoming because became barely bank biggest billing awhile billings care card cant cannot cancelling cancel can by but buggin budget broke break both blindly bit bills back automatically caused alarming againlater again afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about agree all at allow as aren apps aparently anyways anymore any another annually an amounts amount amercian also already almost allowed cared cell enough done leave divorce disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days daughter doesnt dont damn double end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down date dad changed consider compromised competitive compared company coming come combine college climbing climb city choose choice charged charge changing changes connected constant cutting constantly cut customers customer currently current creep credit covid courtesy country costs cost continuous continues continue continually continously learning loyal left spend states starting started start squeeze spouses spouse spending span legacy sorry soon son something someone some so situation stay stealing stepdad stop than terrible temporary temporarily taste take system switching support summer success subscribers subscriber sub stupid stranger stopped single signaling sign see second scaling scales saving save same run rule rotating rising risen rise ripped right return retiring retired secure seems sight seen sick shoves shouldn should short she share shady several settled set servicio services service series sense selection thanks that thats who when whats what were went well weeks week way waste was warrant wanted want wait vs virtue while wife vaccine willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with value ut there tried tooo told today to tired tipped times time tightening tight throughout through this think things thing these town try using trying uses users used us upward upping up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume resubscribe restriction nonesence no nice next news newest never needed need must multiple much moved move more months monthly month non nonsense monetary not or options option opportunity only oneday one once on ok often offset offered offer off notified nothing money moment other lost loose looking longer long lol ll living live little limiting limit like life letting let lesser less losing lower mom loyalty mistake mind might merge memberships membership members medical means maybe may market manservices making makes make made original others restrict reactivate rather rates rate raising raises raised raise quickly putting put pushed provider profits profit profiles problem pricing re really president
Topic 13 | Coherence=-237505.63 | Top words= price to too the it high much use this enough not and up keeps what you is long with as money way when save prices other has be cared leave means understand were wouldn being hiking begin ll was keep us if raised dont been but greedy re nonsense for need only benefits expensive of increase cost don changing about do trying think service should some that times afford quality increasing rising renewing hardly never willing will amount fees before half while started am services continues charged financial becoming given last having quickly risen increased warrant can adicional pagos right el addition pricing servicio por reflect longer often issues good situation tooo prefer second prescription changed platforms forth rise climbing deal no profiles payment isnt financially talk happy fault feet especially finally forcing forever fiance feel few free frequent from end extra face food fair first fix even far every fan fee everything family euro focused expected fixed expenses entertainment extortion flat entertaining fact youre fuel holder increases income in improvements im ill idea husband hungry huge how households household house hosehold increasses increments inflation itself justify just joint join job jacking its instead issue isn iny intolerable into interested horrible history future hikes gotten got gonna gone going goes go give girl gf getting get gas garbage games gouging grandkids great havent hike higher her help health he have greed hard hand had hacking hacked guys hackednot differences emails between billing bill biggest biden biased biannually bf better bills benefit because became barely bank back awhile billings bit automatically bye care card cant cannot cancelling canceling cancel by blindly business buggin budget broke break boyfriend both away aunt caused adding agree againlater again after addtional addresses additional added all activities acct accounts account access acceptance absurd alarming allow at anticonsumer aren are apps aparently anyways anymore any another allowed annually an amounts amercian also already almost caring cell email decisions disappointed direction different didnt deteriorated delivering declined death disgusting days day daughter date damn dad cutting discontinue disgusts customers duplicate elsewhere else eliminating edge easily earlier each due divorce drive drastically drain down double done doesnt cut customer change city company coming come combining combine college climb choose competitive choice checking cheaper charging charges charge changes compared compromised currently costs current currency creep credit covid courtesy country continuous connected continue continually continously constantly constant consolidating consider keeping loyal kept sight start squeeze spouses spouse spending spend span sorry soon son something someone so single since significant signaling starting states stay subscribers system switching support summer success subscriptions subscription subscriber stealing sub stupid stranger stopping stopped stop stepdad sign sick replace shoves run rules rule rotating ripped ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence reside same saving scales settled shouldn short she sharing share shady several set scaling series sense selection seen seems see secure take taking taste temporarily well weeks week we waste wants wanted want waiting wait vs virtue value vaccine ut using uses went whats where would youll yet years yearly year yall ya worth who workable work wont won without wife why users used upward these tightening tight throughout through things thing they there tipped their thats thanks thank than terrible temporary time tired upping under upcoming until unneeded unnecessary unfortunately unfair unemployed unable today two twice try tried tracking town told repurposing rent kidding may more months monthly month monetary moment mom mistake mind might merge memberships membership members member medical me move moved moving non offered offer off now notified nothing nonesence nice multiple next news newest new needed my must maybe married remarried market limiting limited limit like life letting let lesser less legacy left learning layoff later laid lack kids little live living loyalty many manservices making makes make made luck your location lower lost losing loose looking lol locations offset ok on once pushed provider profits profit problem president preemptively power possible popular pop politically political policy policies poland point
Topic 14 | Coherence=-230671.60 | Top words= back will be to of for this break again need taking just can start on my month when payment other the we ll end and move paying using take got getting money time off laid before care another too at things first ill bit subscription but platform own saving later payday there get else us awhile moved next rotating afford feet apps increases repurposing broke cutting spending divorce date monetary accounts enough might temporarily cancelling more rejoin im something instead soon combining come week join less hike switching layoff summer while months go services all change not card stop emails acceptance tired keep forcing forever justify forth food joint free focused frequent from future fuel job fixed games garbage jacking itself its gas it issues gf girl give flat horrible fix fan every last everything expected lack expenses expensive extortion extra face fact fair family far keeping fault kids fee feel fees kidding kept few fiance finally given financial financially keeps going issue improvements have havent having he health help her increased increase euro high income in if increasses idea higher husband hungry huge hikes hiking how history households household house hosehold increasing has goes hacked holder gone gonna good isnt isn gotten gouging grandkids great greed greedy guys is hardly iny hackednot intolerable hacking into had half interested inflation hand happy hard increments even youre especially bank billing bill biggest biden biased biannually bf between better benefits benefit being begin been becoming because became billings bills blindly cannot changes changed cell caused caring cared cant canceling both cancel bye by business buggin budget boyfriend barely away charge automatically alarming agree againlater after adicional addtional addresses additional addition adding added activities acct account access absurd about allow allowed almost any aunt as aren are aparently anyways anymore anticonsumer already annually an amounts amount amercian am also changing charged entertainment damn do disgusts learning discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day doesnt don done earlier entertaining email elsewhere eliminating el edge easily each dont duplicate due drive drastically drain down double daughter dad charges cut consider connected compromised competitive compared company coming combine college climbing climb city choose choice checking cheaper charging consolidating constant constantly covid customers customer currently current currency creep credit courtesy continously country costs cost continuous continues continue continually disgusting loyal leave states started squeeze spouses spouse spend span sorry son someone some so situation single since significant signaling sign starting stay sick stealing than terrible temporary taste talk system support success subscriptions subscribers subscriber sub stupid stranger stopping stopped stepdad sight shoves thanks scaling save same run rules rule rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction scales second shouldn secure should short she sharing share shady several settled set servicio service series sense selection seen seems see thank that left why where whats what were went well weeks way waste was warrant wants wanted want waiting wait vs who wife value willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue vaccine thats trying tried tracking town tooo told today tipped times tightening tight throughout through think thing they these their try twice ut two uses users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable restrict restart respect nonesence no nice news newest new never needed must multiple much moving monthly moment mom mistake mind merge non nonsense membership nothing options option opportunity opening opened ontario only oneday one once ok often offset offered offer now notified memberships members residence loose longer long lol locations location living live little limiting limited limit like life letting let lesser legacy looking losing member lost medical means me maybe may married market many manservices making makes make made luck loyalty your lower or original others rates raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing prices price rate rather
Topic 15 | Coherence=-231505.47 | Top words= charge you re for to and it my going your when is extra no ut anyways not sign uses thank college daughter she good bye worth in me this can afford kids that more at time job now intolerable increase unfair city pay using right live about money another lost longer amount declined due allow fair kidding how just family times charging cant profits interested started month vaccine cannot any way justify card sharing starting tight life are help financial willing additional continue checking paying politically gotten given gonna go gf goes gone get gouging gas garbage give getting got girl fix games extortion feel fee fault far fan fact face expensive future expenses expected everything every even euro especially fees feet few fiance fuel from frequent free forth forever forcing food focused flat fixed great first financially finally grandkids hike greed jacking its issues issue isnt isn iny into instead inflation increments increasses increasing increases increased income itself join greedy joint lesser less legacy left leave learning layoff later last laid lack kept keeps keeping keep improvements im ill if he having havent have has hardly hard happy hand half had hacking hackednot hacked guys health her high house idea husband hungry huge households household hosehold higher horrible holder history hiking hikes entertaining entertainment youre enough billings bill biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became billing bills barely bit caused caring cared care cancelling canceling cancel by but business buggin budget broke break boyfriend both blindly be bank end all agree againlater again after adicional addtional addresses addition adding added activities acct accounts account access acceptance absurd alarming allowed back almost awhile away automatically aunt as aren apps aparently anymore anticonsumer annually an amounts amercian am also already cell change changed doesnt divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering decisions death deal days day date let don changes done emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double dont damn dad cutting cut connected compromised competitive compared company coming come combining combine climbing climb choose choice cheaper charges charged changing consider consolidating constant covid customers customer currently current currency creep credit courtesy constantly country costs cost continuous continues continually continously do loyal letting spend stealing stay states start squeeze spouses spouse spending span since sorry soon son something someone some so situation stepdad stop stopped stopping temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger single significant resubscribe rule second scaling scales saving save same run rules rotating signaling rising risen rise ripped ridiculous return retiring retired secure see seems seen sight sick shoves shouldn should short share shady several settled set servicio services service series sense selection temporary terrible than waste whats what were went well weeks week we was thanks warrant wants wanted want waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would workable work wont won without with will wife value users used town too told today tired tipped tightening throughout through think things thing they these there their the thats tooo tracking use tried us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying try resume restriction like news of notified nothing nonsense nonesence non nice next newest move new never needed need must multiple much moving off offer offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often moved months restrict long make made luck loyalty lower losing loose looking lol monthly locations location ll living little limiting limited limit makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market our out outside quickly reactivate rather rates rate raising raises raised raise quality over putting put pushed provider profit profiles problem pricing reality really reason
Topic 16 | Coherence=-231007.24 | Top words= my with subscription one the to has in price need already moved have so this only activities dont between putting kids subscriptions choose expensive into made someone are anymore passed away or that who other we an household is husband me subscriber limiting account wife she increase different and stepdad boyfriend high same married son keeps her had use hacked budget mom news own double you everything got payment emails needed it now disappointed sub discontinue cheaper owner access hacking else owning joint remarried single parent daughter for newest person several paying weeks acct second using damn terrible given games gas girl gf give garbage getting get youre future fees fee fault far fan family fair fact face extra extortion expenses expected every even euro feel feet fuel few from frequent free forth forever forcing food focused fixed fix first financially financial finally fiance flat happy go idea isn iny intolerable interested instead inflation increments increasses increasing increases increased income improvements im ill isnt issue issues keeping later last laid lack kidding kept keep its justify just join job jacking itself if hungry goes huge entertainment hand half hackednot guys greedy greed great grandkids gouging gotten good gonna gone going hard hardly havent history how households house hosehold horrible holder hiking having hikes hike higher help health he especially do entertaining benefits billing bill biggest biden biased biannually bf better benefit enough being begin before been becoming because became be billings bills bit blindly cared care card cant cannot cancelling canceling cancel can bye by but business buggin broke break both barely bank back allow alarming agree againlater again after afford adicional addtional addresses additional addition adding added accounts acceptance absurd about all allowed awhile almost automatically aunt at as aren apps aparently anyways any anticonsumer another annually amounts amount amercian am also caring caused cell divorce disgusting direction differences didnt deteriorated delivering declined decisions death deal days day date dad cutting cut customers disgusts learning currently doesnt end email elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down done don customer current change compared coming come combining combine college climbing climb city choice checking charging charges charged charge changing changes changed company competitive currency compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected layoff loyal leave stopped stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon something some situation stop stopping significant stranger thats thanks thank than temporary temporarily taste talk taking take system switching support summer success subscribers stupid since signaling there see scaling scales saving save run rules rule rotating rising risen rise ripped right ridiculous return retiring retired secure seems sign seen sight sick shoves shouldn should short sharing share shady settled set servicio services service series sense selection their these resubscribe where whats what were went well week way waste was warrant wants wanted want waiting wait vs virtue when while vaccine why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value ut they try tracking town tooo too told today tired tipped times time tightening tight throughout through think things thing tried trying uses twice users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two resume restriction left no next new never must multiple much moving move more months monthly month money monetary moment mistake mind nice non merge nonesence opening opened ontario oneday once on ok often offset offered offer off of notified nothing not nonsense might memberships option looking long lol locations location ll living live little limited limit like life letting let lesser less legacy longer loose membership losing members member medical means maybe may market many manservices making makes make luck loyalty your lower lost opportunity options restrict reality re rather rates rate raising raises raised raise quickly quality put pushed provider profits profit profiles problem reactivate really prices
Topic 17 | Coherence=-232918.19 | Top words= price greedy not many you to share extra hikes your way charging of subscriptions also few the fan past over years money because anymore and it don increase afford cant too using now us inflation letting thanks for caused by want raising biden president paying what really gotten like already living daughter upping no lol ll food seen recession rising costs got keep gas budget cost climbing expensive limited vs worth girl gf getting even given euro give feel especially go goes going gone gonna entertainment good entertaining gouging grandkids great greed every games everything get feet fee fiance fault finally financial financially far family fair fix fixed flat focused fact forcing forever face forth free extortion expenses frequent from fuel future fees garbage expected first her guys increases join job jacking itself its issues issue isnt isn is iny intolerable into interested instead increments increasses joint just justify layoff let lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps increasing increased hacked income high end help health he having havent have has hardly hard happy hand half had hacking hackednot higher hike hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder enough youre emails begin biased biannually bf between better benefits benefit being before bill been becoming became be barely bank back awhile biggest billing email but care card cannot cancelling canceling cancel can bye business billings buggin broke break boyfriend both blindly bit bills away automatically aunt adding againlater again after adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am almost allowed cared caring cell delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cut decisions death deal days day date damn dad disgusts divorce do doesnt elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double life done cutting customers change choose company coming come combining combine college climb city choice customer checking cheaper charges charged charge changing changes changed compared competitive compromised connected currently current currency creep credit covid courtesy country continuous continues continue continually continously constantly constant consolidating consider dont loyal limit spouses stepdad stealing stay states starting started start squeeze spouse so spending spend span sorry soon son something someone stop stopped stopping stranger terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub stupid some situation thank save selection seems see secure second scaling scales saving same single run rules rule rotating risen rise ripped right sense series service services since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio than that limiting waste when whats were went well weeks week we was uses warrant wants wanted waiting wait virtue value vaccine where while who why youll yet yearly year yall ya wouldn would workable work wont won without with willing will wife ut users thats throughout told today tired tipped times time tightening tight through used this think things thing they these there their tooo town tracking tried use upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try ridiculous return retiring news off notified nothing nonsense nonesence non nice next newest moved new never needed need my must multiple much offer offered offset often our others other original or options option opportunity opening opened ontario only oneday one once on ok moving move retired lost manservices making makes make made luck loyalty lower losing more loose looking longer long locations location live little market married may maybe months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me out outside overpriced raised reason reality reactivate re rather rates rate raises raise own quickly quality putting put pushed provider profits profit recent recently rectifying
Topic 18 | Coherence=-226516.16 | Top words= prices and increasing keep at customer for is it no time only long raising like will you rates subscriber feel loyalty alarming there your we greedy terrible addition going pricing stop of sharing charges are dont business that make doesnt well resubscribe making decisions sense being guys every service when its services money change good been off into year all opportunity some help unable budget date put billing members tightening respect better run support success re againlater won legacy return lol offer lesser laid my ripped sick others please users expenses political damn on signaling reducing virtue ridiculous twice second these adding using weeks different less starting things can everything expected expensive frequent fiance even euro from fuel especially future games garbage entertainment gas entertaining enough free forcing forth extortion finally feet fees financial get fee financially fault far first fix fan fixed family flat fair fact focused food face extra few forever youre half getting ill increases increased increase income in improvements im if hosehold idea husband hungry huge how households household increasses increments inflation instead keeping justify just joint join job jacking itself issues issue isnt isn iny intolerable interested house horrible gf gotten hacking hackednot hacked greed great grandkids gouging got holder gonna gone goes go given give girl had emails hand happy history hiking hikes hike higher high her health he having havent have has hardly hard end didnt email billings biggest biden biased biannually bf between benefits benefit begin before becoming because became be barely bank back bill bills elsewhere bit cared care card cant cannot cancelling canceling cancel bye by but buggin broke break boyfriend both blindly awhile away automatically aunt agree again after afford adicional addtional addresses additional added activities acct accounts account access acceptance absurd about allow allowed almost anticonsumer as aren apps aparently anyways anymore any another already annually an amounts amount amercian am also caring caused cell current discontinue disappointed direction differences kept deteriorated delivering declined death deal days day daughter dad cutting cut customers disgusting disgusts divorce duplicate else eliminating el edge easily earlier each due do drive drastically drain down double done don currently currency changed creep coming come combining combine college climbing climb city choose choice checking cheaper charging charged charge changing changes company compared competitive continues credit covid courtesy country costs cost continuous continue compromised continually continously constantly constant consolidating consider connected keeps loyal kidding sign started start squeeze spouses spouse spending spend span sorry soon son something someone so situation single since states stay stealing summer temporarily taste talk taking take system switching subscriptions stepdad subscription subscribers sub stupid stranger stopping stopped significant sight than shoves same rules rule rotating rising risen rise right retiring retired resume restriction restrict restart residence reside repurposing save saving scales settled shouldn should short she share shady several set scaling servicio series selection seen seems see secure temporary thank kids uses whats what were went week way waste was warrant wants wanted want waiting wait vs value vaccine where while who would youll yet years yearly yall ya wouldn worth why workable work wont without with willing wife ut used thanks use too told today to tired tipped times tight throughout through this think thing they their the thats tooo town tracking unnecessary us upward upping upcoming up until unneeded unfortunately tried unfair unemployed understand under two trying try replace rent renewing memberships need must multiple much moving moved move more months monthly month monetary moment mom mistake mind might needed never new notified one once ok often offset offered now nothing newest not nonsense nonesence non nice next news merge membership remarried member ll living live little limiting limited limit life letting let left leave learning layoff later last lack location locations longer many medical means me maybe may married market manservices looking makes made luck lower lost losing loose oneday ontario opened opening pushed provider profits profit profiles problem price president prescription prefer preemptively power possible por popular pop politically
Topic 19 | Coherence=-224756.96 | Top words= price and to the is increase not with increases for be money more need are saving deal can continuous problem greedy ridiculous paying service willing time constant continues currently agree enough support do customer down options less great no from sharing shouldn something pick competitive am market manservices drive done creep horrible what policy outside changes why dad issues rising summer profit play unemployed coming about made offered isnt barely financial became last living higher your family biggest sight gas twice new terrible reflect blindly few justify that pricing additional while flat everything fiance get getting extortion expensive fix expenses expected gf girl food give feel every first given financially go goes fee garbage fan going free feet finally frequent focused forth fair forever fact far fuel fixed face fault fees future games extra forcing youre hardly gone if it issue isn iny intolerable into interested instead inflation increments increasses increasing increased income in improvements im its itself jacking kids left leave learning layoff later laid lack kidding job kept keeps keeping keep just joint join ill idea gonna husband has euro hard happy hand half had hacking hackednot hacked guys greed grandkids gouging gotten got good have havent having holder hungry huge how households household house hosehold history he hiking hikes hike high her help health even don especially bill biased biannually bf between better benefits benefit being begin before been becoming because bank back awhile away biden billing care billings cant cannot cancelling canceling cancel bye by but business buggin budget broke break boyfriend both bit bills automatically aunt at as againlater again after afford adicional addtional addresses addition adding added activities acct accounts account access acceptance absurd alarming all allow another aren apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian also already almost card cared entertainment divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death days day daughter date damn disgusts doesnt caring dont entertaining end emails email elsewhere else eliminating el edge easily earlier each duplicate due drastically drain double cutting cut customers current college climbing climb city choose choice checking cheaper charging charges charged charge changing changed change cell caused combine combining come continue currency credit covid courtesy country costs cost continually company continously constantly consolidating consider connected compromised compared legacy loyal lesser start stopped stop stepdad stealing stay states starting started squeeze there spouses spouse spending spend span sorry soon son stopping stranger stupid sub thats thanks thank than temporary temporarily taste talk taking take system switching success subscriptions subscription subscribers subscriber someone some so selection seems see secure second scaling scales save same run rules rule rotating risen rise ripped right return seen sense situation series single since significant signaling sign sick shoves should short she share shady several settled set servicio services their these retired waste whats were went well weeks week we way was they warrant wants wanted want waiting wait vs virtue when where who wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without will value vaccine ut try tracking town tooo too told today tired tipped times tightening tight throughout through this think things thing tried trying using two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable retiring resume let my nonesence non nice next news newest never needed must other multiple much moving moved move months monthly month nonsense nothing notified now or option opportunity opening opened ontario only oneday one once on ok often offset offer off of monetary moment mom lower losing loose looking longer long lol locations location ll live little limiting limited limit like life letting lost loyalty mistake luck mind might merge memberships membership members member medical means me maybe may married many making makes make original others resubscribe raised reality reactivate re rather rates rate raising raises raise our quickly quality putting put pushed provider profits profiles really reason recent
 42%|████▏     | 20/48 [53:17<1:38:10, 210.37s/it]
Topic 20 | Coherence=-237124.69 | Top words= price the increases you year it your company seems after worth increase has increasing far entertaining biannually not prices options consider other ill are or much me keep good no many with too like of longer every enough when but really is value nothing in cost added months tired ok will pay service used resume changing canceling pushed up edge customers over since done to days frequent playing games amount subscribers jacking being loyal series customer two bank popular justify thats ridiculous disgusts terrible short raises garbage often history isn later vs throughout absurd broke go covid given sick upping greed biggest second on span out an save choose willing going amercian gouging gonna am amounts got goes gotten gone bills grandkids allowed happy all hand half had allow hacking great hackednot almost hacked guys greedy already also and give financial flat fixed fix first financially any finally girl fiance few feet fees feel fee focused food for forcing forever forth free anticonsumer from fuel future another annually gas get getting gf hard having hardly alarming issue isnt accounts acct activities iny intolerable into interested adding instead inflation increments increasses addition issues account its keeping laid lack kids kidding kept keeps about itself just acceptance joint join job access additional increased addresses agree hiking againlater hikes hike higher high her holder help health he anymore havent have again horrible income idea addtional improvements adicional im afford if husband hosehold hungry huge how households household house fault face anyways been consolidating better between connected compromised competitive compared bf coming come combining combine college climbing climb constant constantly continously courtesy current currency before begin creep credit country continually costs benefit continuous continues benefits continue city choice checking buggin cancel can bye by business bill budget cannot break billing billings boyfriend both blindly cancelling cant cheaper changed charging charges charged charge biased changes change card cell caused caring biden cared care currently becoming fan because at end aunt emails email elsewhere else eliminating el automatically away easily earlier each duplicate entertainment especially euro aparently family fair fact bit extra extortion apps as expensive expenses expected everything aren even due drive drastically became be delivering declined decisions death deal day didnt daughter date damn dad cutting cut deteriorated differences drain do down double dont awhile don doesnt divorce barely back disgusting last disappointed direction different discontinue youre layoff stealing states starting started start squeeze spouses spouse spending spend sorry soon son something someone some so situation stay stepdad temporary stop taste talk taking take system switching support summer success subscriptions subscription subscriber sub stupid stranger stopping stopped single significant signaling sign saving same run rules rule rotating rising risen rise ripped right return retiring retired resubscribe restriction restrict scales scaling secure shady sight shoves shouldn should she sharing share several see settled set servicio services sense selection seen temporarily than respect what went well weeks week we way waste was warrant wants wanted want waiting wait virtue vaccine ut were whats thank where youll yet years yearly yall ya wouldn would workable work wont won without wife why who while using uses users use today tipped times time tightening tight through this think things thing they these there their that thanks told tooo town unfair us upward upcoming until unneeded unnecessary unfortunately unemployed tracking understand under unable twice trying try tried restart residence learning needed my must multiple moving moved move more monthly month money monetary moment mom mistake mind might merge need never opened new only oneday one once offset offered offer off now notified nonsense nonesence non nice next news newest memberships membership members member locations location ll living live little limiting limited limit life letting let lesser less legacy left leave lol long looking making medical means maybe may married market manservices makes loose make made luck loyalty lower lost losing ontario opening reside rates raising raised raise quickly quality putting put provider profits profit profiles problem pricing president prescription prefer preemptively rate rather
Average topic coherence for the top words is -230047.73780823295
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.62it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.62it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.59it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.56it/s]
 10%|█         | 5/50 [00:00<00:08,  5.54it/s]
 12%|█▏        | 6/50 [00:01<00:07,  5.50it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.52it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.55it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.54it/s]
 20%|██        | 10/50 [00:01<00:07,  5.58it/s]
 22%|██▏       | 11/50 [00:01<00:06,  5.60it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.63it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.60it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.56it/s]
 30%|███       | 15/50 [00:02<00:06,  5.58it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.55it/s]
 34%|███▍      | 17/50 [00:03<00:05,  5.55it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.60it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.61it/s]
 40%|████      | 20/50 [00:03<00:05,  5.58it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.55it/s]
 44%|████▍     | 22/50 [00:03<00:05,  5.56it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.58it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.57it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.56it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.53it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.55it/s]
 56%|█████▌    | 28/50 [00:05<00:03,  5.54it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.54it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.54it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.54it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.55it/s]
 66%|██████▌   | 33/50 [00:05<00:03,  5.55it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.50it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.43it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.45it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.50it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.53it/s]
 78%|███████▊  | 39/50 [00:07<00:01,  5.54it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.53it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.55it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.58it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.55it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.56it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.55it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.56it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.59it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.60it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.58it/s]
100%|██████████| 50/50 [00:09<00:00,  5.55it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.80it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.83it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.88it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.85it/s]
 10%|█         | 5/50 [00:00<00:06,  6.82it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.80it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.81it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.85it/s]
 18%|█▊        | 9/50 [00:01<00:05,  6.84it/s]
 20%|██        | 10/50 [00:01<00:05,  6.85it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.82it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.83it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.83it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.85it/s]
 30%|███       | 15/50 [00:02<00:05,  6.86it/s]
 32%|███▏      | 16/50 [00:02<00:04,  6.82it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.76it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.76it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.78it/s]
 40%|████      | 20/50 [00:02<00:04,  6.79it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.82it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.80it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.80it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.82it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.84it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.83it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.82it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.84it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.84it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.79it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.78it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.80it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.75it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  6.75it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.67it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.68it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.69it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.71it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.75it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.78it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.83it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.86it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.88it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.87it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.89it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.86it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.82it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.79it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.79it/s]
100%|██████████| 50/50 [00:07<00:00,  6.80it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.56it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.50it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.58it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.60it/s]
 10%|█         | 5/50 [00:01<00:12,  3.61it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.63it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.62it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.60it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.59it/s]
 20%|██        | 10/50 [00:02<00:11,  3.60it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.62it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.65it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.66it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.66it/s]
 30%|███       | 15/50 [00:04<00:09,  3.65it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.65it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.64it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.64it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.61it/s]
 40%|████      | 20/50 [00:05<00:08,  3.57it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.59it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.60it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.63it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.62it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.65it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.66it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.67it/s]
 56%|█████▌    | 28/50 [00:07<00:05,  3.67it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.67it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.67it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.65it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.64it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.62it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.63it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.63it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.59it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.59it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.59it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.58it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.58it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.58it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.57it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.58it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.59it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.60it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.60it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.59it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.57it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.57it/s]
100%|██████████| 50/50 [00:13<00:00,  3.61it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.75it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.71it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.71it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.70it/s]
 10%|█         | 5/50 [00:01<00:16,  2.71it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.69it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.67it/s]
 16%|█▌        | 8/50 [00:03<00:16,  2.62it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.57it/s]
 20%|██        | 10/50 [00:03<00:15,  2.60it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.63it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.66it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.71it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.74it/s]
 30%|███       | 15/50 [00:05<00:12,  2.76it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.74it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.74it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.76it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.74it/s]
 40%|████      | 20/50 [00:07<00:11,  2.72it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.72it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.73it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.74it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.72it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.71it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.71it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.73it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.76it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.77it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.77it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.77it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.76it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.77it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.74it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.75it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.76it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.76it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.76it/s]
 78%|███████▊  | 39/50 [00:14<00:03,  2.76it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.75it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.76it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.75it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.74it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.75it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.74it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.74it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.74it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.73it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.72it/s]
100%|██████████| 50/50 [00:18<00:00,  2.72it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.79it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.78it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.78it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.77it/s]
 10%|█         | 5/50 [00:02<00:25,  1.78it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.78it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.80it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.79it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.78it/s]
 20%|██        | 10/50 [00:05<00:22,  1.78it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.79it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.80it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.80it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.80it/s]
 30%|███       | 15/50 [00:08<00:19,  1.81it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.79it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.80it/s]
 36%|███▌      | 18/50 [00:10<00:17,  1.80it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.80it/s]
 40%|████      | 20/50 [00:11<00:16,  1.78it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.79it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.81it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.81it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.80it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.80it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.81it/s]
 54%|█████▍    | 27/50 [00:15<00:12,  1.80it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.81it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.81it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.82it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.82it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.83it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.84it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.83it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.83it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.83it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.82it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.82it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.82it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.83it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.82it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.82it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.83it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.82it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.83it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.83it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.82it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.83it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.84it/s]
100%|██████████| 50/50 [00:27<00:00,  1.81it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.03it/s]
Topic 0 | Coherence=-237457.92 | Top words= the to price charging many extra share your greedy hikes subscriptions you also not over of past fan few years way because and outside money subscription that using like bill extortion increase when my hike newest family idea limit news want power states daughter disgusting about has with at company pay taste same residence raising different married another spouses husband really living next pop it got is get going fuel future gotten games good gonna gone goes getting go given give girl gf garbage gas from youre frequent everything far fair fact face expensive expenses expected every free even euro especially entertainment entertaining enough end fault fee feel fees forth forever forcing for food focused flat fixed gouging first financially financial finally fiance feet fix havent grandkids great join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses joint just justify later lesser less legacy left leave learning layoff last keep laid lack kids kidding kept keeps keeping increasing increases increased happy health he having email have hardly hard hand her half had hacking hackednot hacked guys greed help high income how in improvements im ill if hungry huge households higher household house hosehold horrible holder history hiking emails down elsewhere being biden biased biannually bf between better benefits benefit begin billing before been becoming became be barely bank back biggest billings away but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile automatically care addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all aunt anticonsumer as aren are apps aparently anyways anymore any annually allow an amounts amount amercian am already almost allowed card cared else deal direction differences didnt deteriorated delivering declined decisions death days discontinue day date damn dad cutting cut customers customer disappointed disgusts current drive eliminating el edge easily earlier each duplicate due drastically divorce drain letting double dont done don doesnt do currently currency caring cheaper combine college climbing climb city choose choice checking charges come charged charge changing changes changed change cell caused combining coming creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive let loyal life start stopping stopped stop stepdad stealing stay starting started squeeze some spouse spending spend span sorry soon son something stranger stupid sub subscriber their thats thanks thank than terrible temporary temporarily talk taking take system switching support summer success subscribers someone so right scales sense selection seen seems see secure second scaling saving situation save run rules rule rotating rising risen rise series service services servicio single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set there these they waste whats what were went well weeks week we was thing warrant wants wanted waiting wait vs virtue value where while who why youll yet yearly year yall ya wouldn would worth workable work wont won without willing will wife vaccine ut uses try tracking town tooo too told today tired tipped times time tightening tight throughout through this think things tried trying users twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped ridiculous limited nice off now notified nothing nonsense nonesence non no new more never needed need must multiple much moving moved offer offered offset often our others other original or options option opportunity opening opened ontario only oneday one once on ok move months return looking make made luck loyalty lower lost losing loose longer monthly long lol locations location ll live little limiting makes making manservices market month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may out overpriced own rate recently recent reason reality reactivate re rather rates raises owner raised raise quickly quality putting put pushed provider recession rectifying redo
Topic 1 | Coherence=-224914.56 | Top words= it afford this can to now job time anymore at cant but don right losing due not month by lost am my using the just pay have thanks willing caused president inflation want biden high as way subscription money opened start mistake again duplicate think apps hardly longer any interested cannot me other increasing or vaccine continues new thank repurposing reflect later short spend moving guys gonna fiance gf girl few give given go even fan euro goes going gone especially entertainment fix good far got feet fees feel gotten entertaining gouging grandkids fee great greed greedy every getting finally everything fixed flat extra focused food for first extortion forcing forever forth free expensive frequent from fuel face future financially fault garbage expenses fact expected fair gas family financial get games youre hacked isnt joint join jacking itself its issues issue isn increased is iny intolerable into instead increments increasses justify keep keeping keeps letting let lesser less legacy left leave learning layoff last laid lack kids kidding kept increases increase hackednot having end hike higher her help health he havent income has hard happy hand half had hacking hikes hiking history holder in improvements im ill if idea husband hungry huge how households household house hosehold horrible enough double emails benefit bill biggest biased biannually bf between better benefits being back begin before been becoming because became be barely billing billings bills bit cell caring cared care card cancelling canceling cancel bye business buggin budget broke break boyfriend both blindly bank awhile email adding agree againlater after adicional addtional addresses additional addition added away activities acct accounts account access acceptance absurd about alarming all allow allowed automatically aunt aren are aparently anyways anticonsumer another annually and an amounts amount amercian also already almost change changed changes decisions disappointed direction different differences didnt deteriorated delivering declined death changing deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce elsewhere else eliminating el edge easily earlier each drive drastically drain down like dont done doesnt do cut customers customer competitive company coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge compared compromised currently connected current currency creep credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider life loyal limit squeeze stopped stop stepdad stealing stay states starting started spouses so spouse spending span sorry soon son something someone stopping stranger stupid sub that than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber some situation their saving selection seen seems see secure second scaling scales save single same run rules rule rotating rising risen rise sense series service services since significant signaling sign sight sick shoves shouldn should she sharing share shady several settled set servicio thats there ridiculous weeks while where when whats what were went well week virtue we waste was warrant wants wanted waiting wait who why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without with vs value these tired try tried tracking town tooo too told today tipped ut times tightening tight throughout through things thing they trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped return limited no offer off of notified nothing nonsense nonesence non nice moved next news newest never needed need must multiple offered offset often ok overpriced over outside out our others original options option opportunity opening ontario only oneday one once on much move owner looking makes make made luck loyalty your lower loose long more lol locations location ll living live little limiting making manservices many market months monthly monetary moment mom mind might merge memberships membership members member medical means maybe may married own owning retiring raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 2 | Coherence=-230280.36 | Top words= to price the for not worth enough with me raised your be currently increase no used it cancel way will my long subscription year has high months anymore rules renewing rate cost each offset while increasses need longer value money justify life don tried several news fees get disappointed discontinue weeks sub isn shady go caused fault gf husband again son joint moved want who drastically had what spending budget sick how raising garbage from goes going gas gone forever getting given give frequent girl games forth future free fuel forcing youre food fact extra extortion expensive expenses expected everything every even euro especially entertainment entertaining end emails email face fair focused family flat fixed fix first financially financial finally fiance few feet good feel fee far fan gonna having got gotten itself its issues issue isnt is iny intolerable into interested instead inflation increments increasing increases increased income jacking job join last less legacy left leave learning layoff later laid just lack kids kidding kept keeps keeping keep in improvements im hacking havent have hardly hard happy hand half hackednot he hacked guys greedy greed great grandkids gouging else health ill hosehold if idea hungry huge households household house horrible help holder history hiking hikes hike higher her elsewhere do eliminating becoming between better benefits benefit being begin before been because biannually became barely bank back awhile away automatically aunt bf biased el break canceling can bye by but business buggin broke boyfriend biden both blindly bit bills billings billing bill biggest at as aren adding againlater after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also already almost allowed cancelling cannot cant date delivering declined decisions death deal days day daughter damn covid dad cutting cut customers customer current currency creep deteriorated didnt differences different edge easily earlier duplicate due drive drain down double dont done doesnt let divorce disgusts disgusting direction credit courtesy card charged climb city choose choice checking cheaper charging charges charge country changing changes changed change cell caring cared care climbing college combine combining costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come lesser loyal letting spouse stealing stay states starting started start squeeze spouses spend since span sorry soon something someone some so situation stepdad stop stopped stopping terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber stupid stranger single significant like rotating second scaling scales saving save same run rule rising signaling risen rise ripped right ridiculous return retiring retired secure see seems seen sign sight shoves shouldn should short she sharing share settled set servicio services service series sense selection than thank thanks wanted went well week we waste was warrant wants waiting that wait vs virtue vaccine ut using uses users were whats when where youll you yet years yearly yall ya wouldn would workable work wont won without willing wife why use us upward told tired tipped times time tightening tight throughout through this think things thing they these there their thats today too upping tooo upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tracking town resume resubscribe restriction newest now notified nothing nonsense nonesence non nice next new out never needed must multiple much moving move more of off offer offered others other original or options option opportunity opening opened ontario only oneday one once on ok often monthly month monetary make luck loyalty lower lost losing loose looking lol locations location ll living live little limiting limited limit made makes moment making mom mistake mind might merge memberships membership members member medical means maybe may married market many manservices our outside restrict put re rather rates raises raise quickly quality putting pushed over provider profits profit profiles problem pricing prices president reactivate reality really
Topic 3 | Coherence=-224127.71 | Top words= and to my in on different subscription the me want of money be use greedy two keep from live don location country won another because years down both charges been currency moved able addresses current changed havent yall stealing competitive moving pick service spend market manservices new shouldn drive increasing subscriptions addition increase price barely get pricing drain less acceptance everything house ontario terrible multiple our getting long opening sight raised limiting forever up damn joint feet it repurposing hackednot had great greed give gouging given hacking adding hacked gonna gotten goes guys going got grandkids good gone go amercian girl fan fiance few fees feel fee fault far family gf fair fact face extra extortion expensive expenses finally financial financially first gas garbage games future fuel frequent free forth forcing for food focused flat fixed fix half he hand issue join job jacking itself its access issues isnt increments isn is iny intolerable into interested instead just justify keeping keeps lesser legacy left about leave learning absurd layoff later last laid lack kids kidding kept inflation account happy added activities history hiking hikes hike higher high her increasses help health having have has hardly hard holder horrible hosehold household increases increased income accounts acct improvements im ill if idea husband hungry huge how households expected emails every again bye by but business buggin budget broke break boyfriend againlater blindly bit bills billings billing agree bill can cancel checking canceling charging afford charged after charge changing changes change cell caused caring cared care card cant cannot cancelling biggest biden biased biannually aunt at as aren are apps aparently anyways anymore any already anticonsumer also annually am an amounts automatically almost away begin bf between better benefits benefit alarming being before awhile all becoming allow became allowed bank back cheaper choice even letting dont done additional doesnt do divorce disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions double drastically choose due euro especially entertainment entertaining enough end amount email elsewhere else eliminating el edge easily earlier each duplicate death deal days day continously constantly constant consolidating consider connected compromised compared company coming come combining combine college climbing climb city continually continue continues currently daughter date dad cutting cut customers customer addtional continuous creep credit covid courtesy adicional costs cost let youre life started stranger stopping stopped stop stepdad stay states starting start someone squeeze spouses spouse spending span sorry soon son stupid sub subscriber subscribers their thats that thanks thank than temporary temporarily taste talk taking take system switching support summer success something some right saving selection seen seems see secure second scaling scales save so same run rules rule rotating rising risen rise sense series services servicio situation single since significant signaling sign sick shoves should short she sharing share shady several settled set there these they we when whats what were went well weeks week way thing waste was warrant wants wanted waiting wait vs where while who why youll you yet yearly year ya wouldn would worth workable work wont without with willing will wife virtue value vaccine try tracking town tooo too told today tired tipped times time tightening tight throughout through this think things tried trying ut twice using uses users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous like non offer off now notified nothing not nonsense nonesence no move nice next news newest never needed need must offered offset often ok own overpriced over outside out others other original or options option opportunity opened only oneday one once much more return loose make made luck loyalty your lower lost losing looking months longer lol locations ll living little limited limit makes making many married monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may owner owning pagos rates recently recent reason really reality reactivate re rather rate parent raising raises raise quickly quality putting put pushed recession rectifying redo
Topic 4 | Coherence=-242244.98 | Top words= you extra my with family and subscription about share for of bill me money don the using charge charging that paying increase pay sharing states power youre are its taste news when company limit disgusting idea want greedy have different out like subscriptions but cant too an because will no without im stay grandkids if hikes won even parents newest support longer fair kids how declined card hosehold town people currently months more dad can phone it offered unable keep caring politically reside talk enough biased hungry outside service allow hacked to subscriber married isnt payday extortion frequent learning flat euro focused food keeping forcing especially forever forth ill free from keeps fuel households future entertainment games improvements garbage gas get household house justify fixed fix layoff fees face fact later last fan far expensive expenses fault fee feel laid feet huge few expected fiance lack kidding everything finally financial getting financially first every kept holder just horrible has isn is in iny intolerable entertaining into havent income interested having he health joint help instead inflation increments her high higher increasses hike increasing increases increased hiking hardly hard happy hand gf history join give given go goes going gone gonna husband job jacking good got gotten gouging great greed itself guys hackednot issues issue hacking had half girl do end before biannually bf between better benefits benefit being begin been emails becoming became be barely bank back awhile away biden biggest billing billings care cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly bit bills automatically aunt at agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd againlater alarming as all aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost allowed cared caused cell left disgusts discontinue disappointed direction differences didnt deteriorated delivering decisions death deal days day daughter date damn cutting divorce doesnt customers done email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont cut customer change competitive coming come combining combine college climbing climb city choose choice checking cheaper charges charged changing changes changed compared compromised current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider leave loyal legacy sorry started start squeeze spouses spouse spending spend span soon less son something someone some so situation single since starting stealing stepdad stop thank than terrible temporary temporarily taking take system switching summer success subscribers sub stupid stranger stopping stopped significant signaling sign second scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired scaling secure sight see sick shoves shouldn should short she shady several settled set servicio services series sense selection seen seems thanks thats their whats were went well weeks week we way waste was warrant wants wanted waiting wait vs virtue value what where ut while youll yet years yearly year yall ya wouldn would worth workable work wont willing wife why who vaccine uses there tried tooo told today tired tipped times time tightening tight throughout through this think things thing they these tracking try users trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice resume resubscribe restriction nonsense non nice next new never needed need must multiple much moving moved move monthly month monetary moment nonesence not mistake nothing option opportunity opening opened ontario only oneday one once on ok often offset offer off now notified mom mind or lower losing loose looking long lol locations location ll living live little limiting limited life letting let lesser lost your might loyalty merge memberships membership members member medical means maybe may market many manservices making makes make made luck options original restrict reality re rather rates rate raising raises raised raise quickly quality putting put pushed provider profits profit profiles reactivate really pricing
Topic 5 | Coherence=-221942.19 | Top words= to is my just that after it not pay was but subscription charge have profit starting so additional profiles increase last raising bill greedy do year prices ill compromised an card because charged without wanted automatically credit option told allowed bank kids other activities one or customers putting made choose already fault between into expensive think me better another subscriptions notified own health summer added keeps how costs for we gone guys greed great girl grandkids gouging give given go gotten got good gonna goes going gf youre getting fair few feet fees feel fee far fan family fact get face extra extortion expenses expected everything every even fiance finally financial financially gas garbage games future fuel from frequent free forth hacked forcing food focused flat fixed fix first forever her hackednot issues justify joint join job jacking itself its issue hacking isnt isn iny intolerable interested instead inflation keep keeping kept kidding limit like life letting let lesser less legacy left leave learning layoff later laid lack increments increasses increasing hiking hike higher high especially help he having havent has hardly hard happy hand half had hikes history increases holder increased income in improvements im if idea husband hungry huge households household house hosehold horrible euro down entertainment bf bit bills billings billing biggest biden biased biannually benefits changed benefit being begin before been becoming became be blindly both boyfriend break cell caused caring cared care cant cannot cancelling canceling cancel can bye by business buggin budget broke barely back awhile allow alarming agree againlater again afford adicional addtional addresses addition adding acct accounts account access acceptance absurd about all almost away also aunt at as aren are apps aparently anyways anymore any anticonsumer annually and amounts amount amercian am change changes entertaining different don doesnt divorce disgusts disgusting discontinue disappointed direction differences changing didnt deteriorated delivering declined decisions death deal days done dont double limiting enough end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain day daughter date consolidating connected competitive compared company coming come combining combine college climbing climb city choice checking cheaper charging charges consider constant damn constantly dad cutting cut customer currently current currency creep covid courtesy country cost continuous continues continue continually continously limited loyal little spouses stop stepdad stealing stay states started start squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger their talk thats thanks thank than terrible temporary temporarily taste taking stupid take system switching support success subscribers subscriber sub some situation single saving selection seen seems see secure second scaling scales save since same run rules rule rotating rising risen rise sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio the there live way when whats what were went well weeks week waste while warrant wants want waiting wait vs virtue value where who these would youll you yet years yearly yall ya wouldn worth why workable work wont won with willing will wife vaccine ut using times tried tracking town tooo too today tired tipped time uses tightening tight throughout through this things thing they try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right ridiculous newest nothing nonsense nonesence non no nice next news new of never needed need must multiple much moving moved now off return opened outside out our others original options opportunity opening ontario offer only oneday once on ok often offset offered move more months losing making makes make luck loyalty your lower lost loose monthly looking longer long lol locations location ll living manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may over overpriced owner rather recession recently recent reason really reality reactivate re rates profits rate raises raised raise quickly quality put pushed rectifying redo reduce reducing
Topic 6 | Coherence=-225393.67 | Top words= price and is increases to with need more sharing can that deal saving cancel money will continuous problem in the since be you different membership me mom reality lack restrict places subscriptions acceptance hike two time change want live some stopping issues my hard financially before ridiculous financial unemployed emails next canceling payment same double subscription preemptively rate changes talk amount history throughout wants raises having boyfriend short kids users biggest greed budget have cost keeping first fix finally fiance few fixed flat kept focused keeps income food just gas join joint garbage games future fuel from for frequent free justify keep forth forever feet forcing feel kidding euro expenses left expected everything every even legacy leave especially entertainment entertaining enough less end expensive extortion fees later job laid fee fault far last fan extra family layoff learning fair fact face get go getting into hosehold interested horrible holder hiking hikes higher house high her intolerable help iny health instead inflation gf idea increase im increased ill increasing if husband household hungry increasses increments huge how households isn isnt he gonna great grandkids gouging gotten got good gone havent going goes improvements given give girl greedy guys hacked jacking hackednot hacking had itself half its it issue hand happy hardly has email youre divorce elsewhere becoming bf between better benefits benefit being begin been because cared became barely bank back awhile away automatically aunt biannually biased biden bill card cant cannot cancelling bye by but business buggin broke break both blindly bit bills billings billing at as aren agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account access absurd about againlater alarming are all apps aparently anyways anymore any anticonsumer another annually an amounts amercian am also already almost allowed allow care caring else death disappointed direction differences didnt deteriorated delivering declined decisions days caused day daughter date damn dad cutting cut customers discontinue disgusting disgusts let eliminating el edge easily earlier each duplicate due drive drastically drain down dont done don doesnt do customer currently current coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changed cell come company currency compared creep credit covid courtesy country costs continues continue continually continously constantly constant consolidating consider connected compromised competitive lesser loyal letting spouse stealing stay states starting started start squeeze spouses spending single spend span sorry soon son something someone so stepdad stop stopped stranger thank than terrible temporary temporarily taste taking take system switching support summer success subscribers subscriber sub stupid situation significant life rotating secure second scaling scales save run rules rule rising signaling risen rise ripped right return retiring retired resume see seems seen selection sign sight sick shoves shouldn should she share shady several settled set servicio services service series sense thanks thats their we when whats what were went well weeks week way there waste was warrant wanted waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife value vaccine ut tried town tooo too told today tired tipped times tightening tight through this think things thing they these tracking try using trying uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable twice resubscribe restriction restart never nonsense nonesence non no nice news newest new needed or must multiple much moving moved move months monthly not nothing notified now option opportunity opening opened ontario only oneday one once on ok often offset offered offer off of month monetary moment loyalty lower lost losing loose looking longer long lol locations location ll living little limiting limited limit like your luck mistake made mind might merge memberships members member medical means maybe may married market many manservices making makes make options original respect pushed rates raising raised raise quickly quality putting put provider other profits profit profiles pricing prices president prescription prefer rather re reactivate
Topic 7 | Coherence=-234340.48 | Top words= price and is the too subscription we where will many your you access increases have why now am increments luck checking canceling pay greed good be ridiculous change my to upcoming different are anticonsumer locations greedy fee in use prices people increase how their tracking gotten raising constant they times or afford because raised without any improvements differences subscriber rules who back business fault lol son moved taking buggin over workable enough increasing first give everything expected expenses given expensive extortion girl extra face gf getting go goes fact every going gone gonna even euro got especially entertainment entertaining gouging end get gas financially fair grandkids financial fix finally fixed flat fiance few focused feet food for forcing fees forever forth free frequent from feel fuel future far fan games garbage family youre her great issues joint join job jacking itself its it issue increasses isnt isn iny intolerable into interested instead just justify keep keeping lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps inflation increased guys hardly email help health he having havent has hard income happy hand half had hacking hackednot hacked high higher hike hikes im ill if idea husband hungry huge households household house hosehold horrible holder history hiking emails divorce elsewhere benefits bill biggest biden biased biannually bf between better benefit caused being begin before been becoming became barely bank billing billings bills bit cared care card cant cannot cancelling cancel can bye by but budget broke break boyfriend both blindly awhile away automatically alarming againlater again after adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about agree all aunt allow at as aren apps aparently anyways anymore another annually an amounts amount amercian also already almost allowed caring cell else death discontinue disappointed direction didnt deteriorated delivering declined decisions deal changed days day daughter date damn dad cutting cut disgusting disgusts letting do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt customers customer currently compared coming come combining combine college climbing climb city choose choice cheaper charging charges charged charge changing changes company competitive current compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected let loyal life sorry started start squeeze spouses spouse spending spend span soon sign something someone some so situation single since significant starting states stay stealing taste talk take system switching support summer success subscriptions subscribers sub stupid stranger stopping stopped stop stepdad signaling sight temporary rotating second scaling scales saving save same run rule rising sick risen rise ripped right return retiring retired resume secure see seems seen shoves shouldn should short she sharing share shady several settled set servicio services service series sense selection temporarily terrible like wants went well weeks week way waste was warrant wanted uses want waiting wait vs virtue value vaccine ut were what whats when youll yet years yearly year yall ya wouldn would worth work wont won with willing wife while using users than this today tired tipped time tightening tight throughout through think used things thing these there thats that thanks thank told tooo town tried us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try resubscribe restriction restrict new nonsense nonesence non no nice next news newest never monthly needed need must multiple much moving move more not nothing notified of options option opportunity opening opened ontario only oneday one once on ok often offset offered offer off months month restart longer make made loyalty lower lost losing loose looking long money location ll living live little limiting limited limit makes making manservices market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married original other others putting re rather rates rate raises raise quickly quality put our pushed provider profits profit profiles problem pricing president reactivate reality really
Topic 8 | Coherence=-228129.53 | Top words= price the is not to increase for this and money have be few are months when in budget ill back come about paying willing once tight outside try time going don something times was amount support now anymore made great started options it rising what like second can already much summer else from spending charge extra rotating wait play coming using out return expensive ridiculous agree gouging damn thanks do justify more seen original higher twice enough right addtional future keep happy ya think cost checking didnt membership save hacked an get gas gone games goes garbage given go give gf getting gonna entertaining girl fair fuel frequent financial expenses finally fiance extortion feet fees feel fee fault far fan face fact family expected financially good euro free forth entertainment especially forever forcing food first even flat every fixed fix everything focused youre got interested issues issue isnt isn iny intolerable into instead gotten inflation increments increasses increasing increases increased income its itself jacking job leave learning layoff later last laid lack kids kidding kept keeps keeping just joint join improvements im if health having havent emails has hardly hard hand half had hacking hackednot guys greedy greed grandkids he help idea her husband hungry huge how households household house hosehold horrible holder history hiking hikes hike high end direction email billing biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became barely bill billings cared bills card cant cannot cancelling canceling cancel bye by but business buggin broke break boyfriend both blindly bit bank awhile away automatically againlater again after afford adicional addresses additional addition adding added activities acct accounts account access acceptance absurd alarming all allow any aunt at as aren apps aparently anyways anticonsumer allowed another annually amounts amercian am also almost care caring elsewhere discontinue legacy different differences deteriorated delivering declined decisions death deal days day daughter date dad cutting cut customers disappointed disgusting caused disgusts eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done doesnt divorce customer currently current currency combining combine college climbing climb city choose choice cheaper charging charges charged changing changes changed change cell company compared competitive continues creep credit covid courtesy country costs continuous continue compromised continually continously constantly constant consolidating consider connected left loyal less sorry states starting start squeeze spouses spouse spend span soon terrible son someone some so situation single since significant stay stealing stepdad stop temporarily taste talk taking take system switching success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped signaling sign sight secure scales saving same run rules rule risen rise ripped retiring retired resume resubscribe restriction restrict restart respect scaling see sick seems shoves shouldn should short she sharing share shady several settled set servicio services service series sense selection temporary than lesser way where whats were went well weeks week we waste thank warrant wants wanted want waiting vs virtue value while who why wife youll you yet years yearly year yall wouldn would worth workable work wont won without with will vaccine ut uses tracking tooo too told today tired tipped tightening throughout through things thing they these there their thats that town tried users trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two residence reside repurposing must next news newest new never needed need my multiple replace moving moved move monthly month monetary moment mom nice no non nonesence opening opened ontario only oneday one on ok often offset offered offer off of notified nothing nonsense mistake mind might lost loose looking longer long lol locations location ll living live little limiting limited limit life letting let losing lower merge your memberships members member medical means me maybe may married market many manservices making makes make luck loyalty opportunity option or rate raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing prices president prescription raising rates preemptively
Topic 9 | Coherence=-223629.21 | Top words= for you charge re to your going good and thank no college anyways ut uses sign she daughter worth bye when it extra me is my in not that extortion more will another city intolerable kids live unfair its but youre raising been rejoin get run moving im respect legacy on members once settled later family allow profits cancelling kidding temporarily phone now fair membership ridiculous euro redo else last users wants improvements fix focused flat justify fixed first just financially keep financial finally fiance few food joint fees future jacking getting job gas garbage games fuel forcing join from frequent free forth forever feet feel girl everything let email lesser emails end enough entertaining entertainment less especially left even leave every expected fee learning layoff expenses expensive laid face fact lack kept keeps fan keeping far fault gf give income horrible into interested instead her inflation high increments higher hike hikes hiking history increasses holder increasing elsewhere hosehold house household increases households increased how huge hungry husband idea if ill increase iny isn given guys go goes itself gone gonna issues got gotten gouging grandkids great issue greed greedy hacked health hackednot hacking had isnt half hand happy hard hardly has have havent having he help dont eliminating before biannually bf between better benefits benefit being begin becoming biden because became be barely bank back awhile away biased biggest care budget cant cannot canceling cancel can by business buggin broke bill break boyfriend both blindly bit bills billings billing automatically aunt at adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater agree alarming all aren are apps aparently anymore any anticonsumer annually an amounts amount amercian am also already almost allowed card cared el deal different differences didnt deteriorated delivering declined decisions death days disappointed day date damn dad cutting cut customers customer direction discontinue caring drain edge easily earlier each duplicate due drive drastically down disgusting double life done don doesnt do divorce disgusts currently current currency cheaper come combining combine climbing climb choose choice checking charging creep charges charged changing changes changed change cell caused coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised letting loyal like start stopped stop stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stopping stranger stupid sub thanks than terrible temporary taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber something some the saving selection seen seems see secure second scaling scales save so same rules rule rotating rising risen rise ripped sense series service services situation single since significant signaling sight sick shoves shouldn should short sharing share shady several set servicio thats their limit way whats what were went well weeks week we waste vaccine was warrant wanted want waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would workable work wont won without with willing wife value using there tightening tooo too told today tired tipped times time tight used throughout through this think things thing they these town tracking tried try use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying right return retiring news of notified nothing nonsense nonesence non nice next newest months new never needed need must multiple much moved off offer offered offset out our others other original or options option opportunity opening opened ontario only oneday one ok often move monthly retired longer made luck loyalty lower lost losing loose looking long month lol locations location ll living little limiting limited make makes making manservices money monetary moment mom mistake mind might merge memberships member medical means maybe may married market many outside over overpriced quickly reality reactivate rather rates rate raises raised raise quality own putting put pushed provider profit profiles problem pricing really reason recent
Topic 10 | Coherence=-234221.03 | Top words= and to price prices raising the money you keep it other just anymore up services your as use more go save of enough continues not need dont on stop share keeps trying us in much continue fees no am even climb letting benefit people do one squeeze yet income fixed try customers tipped direction finally scales continually goes going selection raise some out really made hardly continously restriction months now bills monthly focused constantly retired adding non support twice aren is climbing please nonesence right wont eliminating who prefer system opportunity nothing year platforms redo fault cheaper can but vaccine constant pop forth games justify lack everything free frequent from gf getting get gas especially fuel euro future every garbage expected far expenses expensive fan family fee feel kept fair feet fact few fiance financial joint kidding first kids fix keeping face extra extortion flat food for forcing forever financially increased join girl inflation holder history instead hiking interested hikes into intolerable hike higher high iny her help horrible hosehold house if increases increasing improvements increasses im ill increments household idea husband hungry huge how households health he having got its great grandkids gouging gotten itself increase greedy gonna gone jacking job given give greed guys havent issue have isn has hard isnt happy hand hacked entertainment issues half had hacking hackednot good youre entertaining before biased biannually bf between better benefits being begin been end becoming because became be barely bank back awhile biden biggest bill billing cant cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly bit billings away automatically aunt agree again after afford adicional addtional addresses additional addition added activities acct accounts account access acceptance absurd about againlater alarming at all are apps aparently anyways any anticonsumer another annually an amounts amount amercian also already almost allowed allow card care cared last disgusts disgusting discontinue disappointed different differences didnt deteriorated delivering declined decisions death deal days day daughter date divorce doesnt dad don emails email elsewhere else el edge easily earlier each duplicate due drive drastically drain down double done damn cutting caring coming combining combine college city choose choice checking charging charges charged charge changing changes changed change cell caused come company cut compared customer currently current currency creep credit covid courtesy country costs cost continuous consolidating consider connected compromised competitive laid loyal later stopping stepdad stealing stay states starting started start spouses spouse spending spend span sorry soon son something someone stopped stranger that stupid thank than terrible temporary temporarily taste talk taking take switching summer success subscriptions subscription subscribers subscriber sub so situation single since seems see secure second scaling saving same run rules rule rotating rising risen rise ripped ridiculous return seen sense series should significant signaling sign sight sick shoves shouldn short service she sharing shady several settled set servicio thanks thats resume when what were went well weeks week we way waste was warrant wants wanted want waiting wait vs whats where their while youll years yearly yall ya wouldn would worth workable work won without with willing will wife why virtue value ut using too told today tired times time tightening tight throughout through this think things thing they these there tooo town tracking unneeded uses users used upward upping upcoming until unnecessary tried unfortunately unfair unemployed understand under unable two retiring resubscribe layoff never my must multiple moving moved move month monetary moment mom mistake mind might merge memberships membership members needed new options newest opening opened ontario only oneday once ok often offset offered offer off notified nonsense nice next news member medical means me location ll living live little limiting limited limit like life let lesser less legacy left leave learning locations lol long makes maybe may married market many manservices making make longer luck loyalty lower lost losing loose looking option or restrict reactivate rather rates rate raises raised quickly quality putting put pushed provider profits profit profiles problem pricing president re reality
Topic 11 | Coherence=-230038.36 | Top words= you to that if only this being bye of greedy subscription it are not re again email fact consider back want will good up about leave makes hiking come reactivate give means cared begin wouldn understand rectifying issue were never forever me keep us months enough prices what the ll high when was expensive with your so hacked sharing others kept switching too limited recent compared talk passed away my used sick stranger by lol owner off fix ripped hard restart under may new notified today aunt in every better getting kids increases rise garbage frequent from go given games gas fuel girl future goes gf get fees free fan fair face extra extortion expenses expected everything even euro especially entertainment entertaining end emails elsewhere family far forth fault forcing for food focused flat fixed first financially financial finally fiance few feet feel fee going youre gone husband iny intolerable into interested instead inflation increments increasses increasing increased increase income improvements im ill is isn isnt justify last laid lack kidding keeps keeping just issues joint join job jacking itself its idea hungry gonna huge has hardly happy hand half had hacking hackednot guys greed great grandkids gouging gotten got have havent else holder how households household house hosehold horrible history he hikes hike higher her help health having disgusts eliminating benefit bill biggest biden biased biannually bf between benefits before at been becoming because became be barely bank awhile billing billings bills bit care card cant cannot cancelling canceling cancel can but business buggin budget broke break boyfriend both blindly automatically as el addition agree againlater after afford adicional addtional addresses additional adding aren added activities acct accounts account access acceptance absurd alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost caring caused cell death direction different differences didnt deteriorated delivering declined decisions deal change days day daughter date damn dad cutting cut disappointed discontinue disgusting layoff edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt do divorce customers customer currently company combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed coming competitive current compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected later loyal learning starting start squeeze spouses spouse spending spend span sorry soon son something someone some situation single since significant started states sign stay taste taking take system support summer success subscriptions subscribers subscriber sub stupid stopping stopped stop stepdad stealing signaling sight restrict second scales saving save same run rules rule rotating rising risen right ridiculous return retiring retired resume resubscribe scaling secure shoves see shouldn should short she share shady several settled set servicio services service series sense selection seen seems temporarily temporary terrible where went well weeks week we way waste warrant wants wanted waiting wait vs virtue value vaccine ut whats while than who youll yet years yearly year yall ya would worth workable work wont won without willing wife why using uses users use tipped times time tightening tight throughout through think things thing they these there their thats thanks thank tired told tooo unfair upward upping upcoming until unneeded unnecessary unfortunately unemployed town unable two twice trying try tried tracking restriction respect left non nice next news newest needed need must multiple much moving moved move more monthly month money monetary no nonesence mom nonsense options option opportunity opening opened ontario oneday one once on ok often offset offered offer now nothing moment mistake residence losing looking longer long locations location living live little limiting limit like life letting let lesser less legacy loose lost mind lower might merge memberships membership members member medical maybe married market many manservices making make made luck loyalty or original other raising raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price president prescription prefer raises rate
Topic 12 | Coherence=-226646.37 | Top words= the you your that in it my like just hike pay months dont raised offer almost shady tried once fact used cancel use also many and as last was time can moved by gone deteriorated span drastically selection since of for member see has cheaper gonna too now upping family stupid never household euro currency waste services limiting willing again being am today single kidding cant make huge amounts to let budget stranger divorce away ll month preemptively caring going garbage gouging games grandkids even gas gf get gotten getting got good entertainment girl especially give given go goes every forth everything fair first financially financial face finally fiance few expected feet fees feel fee fault far fix fixed great focused extra extortion food forcing forever expensive fan free frequent from fuel future expenses flat youre greed intolerable its issues issue isnt isn is iny into jacking interested instead inflation increments increasses increasing increases itself job greedy laid less legacy left leave learning layoff later lack join kids kept keeps keeping keep justify joint increased increase income hard help health he having havent have hardly happy improvements hand half had hacking hackednot hacked guys her high higher enough im ill if idea husband hungry how households house hosehold horrible holder history hiking hikes entertaining do end benefit biggest biden biased biannually bf between better benefits begin emails before been becoming because became be barely bank bill billing billings bills caused cared care card cannot cancelling canceling bye but business buggin broke break boyfriend both blindly bit back awhile automatically agree after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming aunt all at aren are apps aparently anyways anymore any anticonsumer another annually an amount amercian already allowed allow cell change changed disgusting disappointed direction different differences didnt delivering declined decisions death deal days day daughter date damn dad cutting discontinue disgusts customers doesnt email elsewhere else eliminating el edge easily earlier each duplicate due drive drain down double done don cut customer changes competitive company coming come combining combine college climbing climb city choose choice checking charging charges charged charge changing compared compromised currently connected current creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider lesser loyal letting spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend sorry soon son something someone some stop stopped stopping sub than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber so significant life rotating scaling scales saving save same run rules rule rising signaling risen rise ripped right ridiculous return retiring retired second secure seems seen sign sight sick shoves shouldn should short she sharing share several settled set servicio service series sense thank thanks thats week where when whats what were went well weeks we their way warrant wants wanted want waiting wait vs while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with will virtue value vaccine try town tooo told tired tipped times tightening tight throughout through this think things thing they these there tracking trying ut twice using uses users us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two resume resubscribe restriction next notified nothing not nonsense nonesence non no nice news over newest new needed need must multiple much moving off offered offset often out our others other original or options option opportunity opening opened ontario only oneday one on ok move more monthly makes luck loyalty lower lost losing loose looking longer long lol locations location living live little limited limit made making money manservices monetary moment mom mistake mind might merge memberships membership members medical means me maybe may married market outside overpriced restrict quickly reactivate re rather rates rate raising raises raise quality own putting put pushed provider profits profit profiles problem reality really reason
Topic 13 | Coherence=-225384.77 | Top words= price increase and up the is of quality your paying cost with what should since profiles went hikes too much future for high was has keep more sharing expected garbage company service budget less why creep will me done oneday earlier have member issues sorry be horrible half blindly or tightening againlater customer way return charged becoming subscribers became limited games playing didnt month tired constant down first it cancel offered added let fees charges disgusts last annually isnt gone greed fee subscriptions living had prescription set ridiculous reflect tooo am increased membership biggest increases almost pay loyal waste fair expensive gas fact get getting face extra extortion gf fan expenses girl everything every give even given euro family free frequent fixed forth forever forcing food from focused flat fuel fix far financially financial finally go few feet feel fault fiance havent goes instead its issue isn iny intolerable into interested inflation going increments increasses increasing income in improvements im itself jacking job join left leave learning layoff later laid lack kids kidding kept keeps keeping justify just joint ill if idea entertainment hard happy hand hacking hackednot hacked guys greedy great grandkids gouging gotten got good gonna hardly having husband he hungry huge how households household house hosehold holder history hiking hike higher her help health especially do entertaining billing biden biased biannually bf between better benefits benefit being begin before been because barely bank back awhile bill billings automatically bills care card cant cannot cancelling canceling can bye by but business buggin broke break boyfriend both bit away aunt enough alarming again after afford adicional addtional addresses additional addition adding activities acct accounts account access acceptance absurd about agree all at allow as aren are apps aparently anyways anymore any anticonsumer another an amounts amount amercian also already allowed cared caring caused divorce discontinue disappointed direction different differences deteriorated delivering declined decisions death deal days day daughter date damn dad disgusting doesnt cell don end emails email elsewhere else eliminating el edge easily each duplicate due drive drastically drain double dont cutting cut customers currently come combining combine college climbing climb city choose choice checking cheaper charging charge changing changes changed change coming compared competitive continuous current currency credit covid courtesy country costs continues compromised continue continually continously constantly consolidating consider connected legacy youre lesser spouses stepdad stealing stay states starting started start squeeze spouse thanks spending spend span soon son something someone some stop stopped stopping stranger than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscriber sub stupid so situation single see second scaling scales saving save same run rules rule rotating rising risen rise ripped right retiring retired secure seems significant seen signaling sign sight sick shoves shouldn short she share shady several settled servicio services series sense selection thank that letting wants when whats were well weeks week we warrant wanted thats want waiting wait vs virtue value vaccine ut where while who wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing using uses users tracking told today to tipped times time tight throughout through this think things thing they these there their town tried used try use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resume resubscribe restriction never nonesence non no nice next news newest new needed restrict need my must multiple moving moved move months nonsense not nothing notified original options option opportunity opening opened ontario only one once on ok often offset offer off now monthly money monetary luck lower lost losing loose looking longer long lol locations location ll live little limiting limit like life loyalty made moment make mom mistake mind might merge memberships members medical means maybe may married market many manservices making makes other others our reality re rather rates rate raising raises raised raise quickly putting put pushed provider profits profit problem pricing reactivate really president
Topic 14 | Coherence=-224565.11 | Top words= subscription has my with in price the have an already me and iny face keeping especially forcing shoves nice choice pop expensive make life lost subscriber currently just up increases worth so moving someone more you not anymore to bf passed he away is your for husband wife get account months over moved edge she pushed between issues her users hacked multiple had cannot hike got keeps mom own who it personal financial billings owner spouse owning paying stopped hacking parent married two person situation changed acct free broke annually may caring deteriorated even given few go every fan finally fiance going goes feet far gone gonna euro fees feel fault fee financially extra family everything extortion forever forth fact from fuel future games garbage focused expenses gas expected flat fixed getting fix gf girl fair first give food frequent youre good instead issue isnt isn intolerable into interested inflation itself increments increasses increasing increased increase income its jacking gotten lack leave learning layoff later last laid kids job kidding kept keep justify joint join improvements im ill half having havent hardly hard happy hand hackednot if guys greedy greed great grandkids gouging entertainment help high higher hikes hiking history holder horrible hosehold house household households how huge hungry idea health double entertaining benefit billing bill biggest biden biased biannually better benefits being bit begin before been becoming because became be barely bills blindly changes cancel cell caused cared care card cant cancelling canceling can both bye by but business buggin budget break boyfriend bank back awhile additional agree againlater again after afford adicional addtional addresses addition automatically adding added activities accounts access acceptance absurd about alarming all allow allowed aunt at as aren are apps aparently anyways any anticonsumer another amounts amount amercian am also almost change changing enough didnt divorce disgusts disgusting discontinue disappointed direction different differences delivering doesnt declined decisions death deal days day daughter date do don charge earlier end emails email elsewhere else eliminating el easily each done duplicate due drive drastically drain down legacy dont damn dad cutting college compromised competitive compared company coming come combining combine climbing cut climb city choose checking cheaper charging charges charged connected consider consolidating constant customers customer current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly left loyal less started stranger stopping stop stepdad stealing stay states starting start there squeeze spouses spending spend span sorry soon son stupid sub subscribers subscriptions thats that thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success something some single selection seems see secure second scaling scales saving save same run rules rule rotating rising risen rise ripped seen sense since series significant signaling sign sight sick shouldn should short sharing share shady several settled set servicio services service their these lesser waste what were went well weeks week we way was they warrant wants wanted want waiting wait vs virtue whats when where while youll yet years yearly year yall ya wouldn would workable work wont won without willing will why value vaccine ut tried town tooo too told today tired tipped times time tightening tight throughout through this think things thing tracking try using trying uses used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable twice right ridiculous return news now notified nothing nonsense nonesence non no next newest retiring new never needed need must much move monthly of off offer offered other original or options option opportunity opening opened ontario only oneday one once on ok often offset month money monetary lower loose looking longer long lol locations location ll living live little limiting limited limit like letting let losing loyalty moment luck mistake mind might merge memberships membership members member medical means maybe market many manservices making makes made others our out rectifying recently recent reason really reality reactivate re rather rates rate raising raises raised raise quickly quality putting recession redo provider
Topic 15 | Coherence=-239193.87 | Top words= other the subscription so for better only now youre prices kept services gonna cheaper raising using people was reason out if are charge im charging extra keep and to it need have with my one in dont subscriptions this on of again start just going moved paying take anymore added before more will wife an first divorce things care as fuel entertainment rise having courtesy continues through left benefit boyfriend two climb significant cut has back there costs stepdad house like live but us we poland amercian aparently than remarried political virtue signaling far business resume way hand go last access possible kids do girl gf getting get food gas garbage lack frequent games future forever kidding forth focused free from forcing increased flat fair learning euro even every everything expected expenses expensive layoff extortion later face fact family fixed fan fault fee feel fees feet laid few give finally financial financially fix fiance gotten given into instead horrible holder history hiking interested hikes he intolerable hike higher high her help hosehold inflation household households how huge hungry husband idea increments increasses ill increasing improvements increases income increase health iny goes got job greedy greed great grandkids gouging join havent good joint justify gone keeping keeps guys jacking hacked itself its issues issue hackednot hacking had half happy hard isnt isn hardly is especially disgusting entertaining bank billings billing bill biggest biden biased biannually bf between benefits being begin been becoming because became be bills bit blindly canceling caused caring cared card cant cannot cancelling cancel both can bye by buggin budget broke break barely awhile enough away agree againlater after afford adicional addtional addresses additional addition adding activities acct accounts account acceptance absurd about alarming all allow anticonsumer automatically aunt at aren apps anyways any another allowed annually amounts amount am also already almost cell change changed changes doesnt disgusts discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter don done double edge end emails email elsewhere else eliminating el easily down earlier each duplicate due drive drastically drain date damn dad college competitive compared company coming come combining combine climbing connected city choose choice checking charges charged changing compromised consider cutting covid customers customer currently current currency creep credit country consolidating cost continuous continue continually continously constantly constant leave loyal legacy sorry starting started squeeze spouses spouse spending spend span soon less son something someone some situation single since sign states stay stealing stop temporary temporarily taste talk taking system switching support summer success subscribers subscriber sub stupid stranger stopping stopped sight sick shoves scaling saving save same run rules rule rotating rising risen ripped right ridiculous return retiring retired resubscribe restriction scales second shouldn secure should short she sharing share shady several settled set servicio service series sense selection seen seems see terrible thank thanks while when whats what were went well weeks week waste warrant wants wanted want waiting wait vs value where who ut why youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vaccine uses that tracking tooo too told today tired tipped times time tightening tight throughout think thing they these their thats town tried users try used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying restrict restart respect news new never needed must multiple much moving move months monthly month money monetary moment mom mistake mind newest next merge nice opened ontario oneday once ok often offset offered offer off notified nothing not nonsense nonesence non no might memberships opportunity lost loose looking longer long lol locations location ll living little limiting limited limit life letting let lesser losing lower membership your members member medical means me maybe may married market many manservices making makes make made luck loyalty opening option residence rates raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price president prescription rate rather preemptively
Topic 16 | Coherence=-228357.38 | Top words= back be will prices to break money and taking with for cut have we raising ll on just much when my high of possible saving price elsewhere these take trying using damn constantly business time ill stop due as bit spending platform getting customer household into waste only put resume success another am rather learning bills would reduce payday some can you bank limiting awhile been broke gas mind thats subscription needed im later year yall got own changing lost done subscriptions come next in piracy spend cutting might week monetary months access repurposing medical instead dad divorce soon join else summer flat ridiculous layoff gonna talk youll second unneeded differences expected forth free get frequent expenses games from every fuel euro garbage future everything forever even expensive fact extortion fees financial financially first finally girl fiance few fix feet fixed feel forcing fee focused food fault far fan family fair face extra gf youre give income inflation increments increasses increasing increases increased increase improvements given if idea husband hungry huge how households interested intolerable iny is kept keeps keeping keep justify joint job jacking itself its it issues issue isnt isn house hosehold horrible half hacking hackednot hacked guys greedy greed great grandkids gouging gotten good gone going goes go had hand holder happy history hiking hikes hike higher her help health he having entertainment havent has hardly hard especially disappointed entertaining at biden biased biannually bf between better benefits benefit being begin before becoming because became barely away automatically biggest bill billing cancel cared care card cant cannot cancelling canceling bye billings by but buggin budget boyfriend both blindly aunt aren enough are again after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about againlater agree alarming an apps aparently anyways anymore any anticonsumer annually amounts all amount amercian also already almost allowed allow caring caused cell change disgusting discontinue kids direction different didnt deteriorated delivering declined decisions death deal days day daughter date customers disgusts do doesnt earlier end emails email eliminating el edge easily each don duplicate drive drastically drain down double dont currently current currency choice combining combine college climbing climb city choose checking company cheaper charging charges charged charge changes changed coming compared creep continues credit covid courtesy country costs cost continuous continue competitive continually continously constant consolidating consider connected compromised kidding loyal lack started squeeze spouses spouse span sorry son something someone so situation single since significant signaling sign sight sick start starting residence states terrible temporary temporarily taste system switching support subscribers subscriber sub stupid stranger stopping stopped stepdad stealing stay shoves shouldn should short same run rules rule rotating rising risen rise ripped right return retiring retired resubscribe restriction restrict restart save scales scaling servicio she sharing share shady several settled set services secure service series sense selection seen seems see than thank thanks used went well weeks way was warrant wants wanted want waiting wait vs virtue value vaccine ut uses were what whats work yet years yearly ya wouldn worth workable wont where won without willing wife why who while users use that us told today tired tipped times tightening tight throughout through this think things thing they there their the too tooo town unfair upward upping upcoming up until unnecessary unfortunately unemployed tracking understand under unable two twice try tried respect reside laid news new never need must multiple moving moved move more monthly month moment mom mistake merge memberships membership newest nice replace no ontario oneday one once ok often offset offered offer off now notified nothing not nonsense nonesence non members member means me locations location living live little limited limit like life letting let lesser less legacy left leave last lol long longer makes maybe may married market many manservices making make looking made luck loyalty your lower losing loose opened opening opportunity pop raise quickly quality putting pushed provider profits profit profiles problem pricing president prescription prefer preemptively power por raised
Topic 17 | Coherence=-238729.49 | Top words= too expensive for and price prices me is it many not new much now going the worth keep this you have service are raised keeps charges benefits changing nonsense unfortunately upward added don been increases customer no long fees getting already money has stop everything way into services youll as rising life with cost anymore choose putting up addtional vs extortion but else better between stupid activities offer different system on given upping rule workable think upcoming maybe just using amount right hikes rates later itself lesser never inflation its options an longer thanks offered use risen others isnt before quickly pagos servicio costs people amounts huge por adicional whats el covid lost gas easily subscriptions hackednot food secure happy recession overpriced ll every good by broke hike months policy we gotten raise fee extra flat focused first fiance garbage financially fixed face financial finally fact games future feel fuel expected get forcing feet fault forever expenses fix fan forth free family frequent from few fair far hardly gf increasing household households how hungry husband idea if ill im improvements in income increase increased increasses girl increments instead interested intolerable iny isn issue issues jacking job join joint justify keeping house hosehold horrible holder give go goes gone gonna got gouging grandkids great greed greedy guys hacked hacking had half hand hard euro havent having he health help her high higher hiking history even youre especially barely blindly bit bills billings billing bill biggest biden biased biannually bf benefit being begin becoming because became both boyfriend break cant change cell caused caring cared care card cannot budget cancelling canceling cancel can bye business buggin be bank entertainment back alarming agree againlater again after afford addresses additional addition adding acct accounts account access acceptance absurd about all allow allowed aparently awhile away automatically aunt at aren apps anyways almost any anticonsumer another annually amercian am also changed changes charge charged do divorce disgusts kept discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day doesnt done dont edge entertaining enough end emails email elsewhere eliminating earlier double each duplicate due drive drastically drain down daughter date damn combine compromised competitive compared company coming come combining college consider climbing climb city choice checking cheaper charging connected consolidating dad credit cutting cut customers currently current currency creep courtesy constant country continuous continues continue continually continously constantly disgusting loyal kidding significant started start squeeze spouses spouse spending spend span sorry soon son something someone some so situation single starting states stay success taste talk taking take switching support summer subscription stealing subscribers subscriber sub stranger stopping stopped stepdad since signaling temporary sign scaling scales saving save same run rules rotating rise ripped ridiculous return retiring retired resume resubscribe restriction second see seems sharing sight sick shoves shouldn should short she share seen shady several settled set series sense selection temporarily terrible kids uses what were went well weeks week waste was warrant wants wanted want waiting wait virtue value vaccine when where while would yet years yearly year yall ya wouldn work who wont won without willing will wife why ut users than used tired tipped times time tightening tight throughout through things thing they these there their thats that thank to today told under us until unneeded unnecessary unfair unemployed understand unable tooo two twice trying try tried tracking town restrict restart respect members my must multiple moving moved move more monthly month monetary moment mom mistake mind might merge memberships need needed newest offset ontario only oneday one once ok often off news of notified nothing nonesence non nice next membership member residence medical live little limiting limited limit like letting let less legacy left leave learning layoff last laid lack living location locations make means may married market manservices making makes made lol luck loyalty your lower losing loose looking opened opening opportunity option rate raising raises quality put pushed provider profits profit profiles problem pricing president prescription prefer preemptively power
Topic 18 | Coherence=-234087.30 | Top words= price you increasing not seems year are other it your or company entertaining prices biannually after options far consider good much keep ill like has too many increases do the raising really every but up with increase is when so guys nothing services use why dont want to added ok new forth needed put worth need agree expenses while value cant reducing continually off delivering point policy little laid increased canceling out days often jacking series keeps warrant popular profits cost kidding pleased policies garbage changes down enough temporarily scaling unnecessary lower cutting living pls unneeded just elsewhere please daughter pay live since country gf replace free going also am already goes gone gonna became almost got gotten gouging grandkids great greed greedy allowed allow hacked hackednot go fuel given flat fault fee feel fees feet few fiance amount finally financial financially first fix fixed focused give food for forcing forever amercian frequent from hacking future games gas get getting girl all hard had increments iny intolerable accounts into interested instead inflation increasses half acct activities adding addition income in improvements account isn isnt issue lack kids kept keeping about justify joint absurd join job acceptance itself its access issues im additional if her health addtional adicional he afford having havent have again hardly fan happy hand againlater alarming help addresses idea high husband hungry huge how households household house hosehold horrible holder history hiking hikes hike higher amounts expensive family changing choice checking cheaper charging charges charged charge changed an change cell caused caring cared care card choose city climb climbing aunt continously constantly constant consolidating connected compromised competitive compared automatically coming come combining combine college away cannot cancelling bill biden biased bank bf between better barely benefits benefit be being begin before been becoming biggest billing cancel billings can bye by awhile business buggin budget broke back break boyfriend both blindly bit bills continue continues continuous anymore emails anyways email else eliminating el edge easily aparently earlier each duplicate due drive drastically end entertainment double especially and fair fact face extra extortion because annually another expected everything anticonsumer even euro any drain last costs deal date damn as dad cut customers at customer currently current currency creep credit covid courtesy day death done decisions don doesnt apps divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated aren declined youre loyal later stopped stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something stop stopping thank stranger terrible temporary taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid someone some situation single seen see secure second scales saving save same run rules rule rotating rising risen rise ripped right selection sense service should significant signaling sign sight sick shoves shouldn short servicio she sharing share shady several settled set than thanks return what went well weeks week we way waste was wants wanted waiting wait vs virtue vaccine ut using were whats that where youll yet years yearly yall ya wouldn would workable work wont won without willing will wife who uses users used us tired tipped times time tightening tight throughout through this think things thing they these there their thats today told tooo understand upward upping upcoming until unfortunately unfair unemployed under town unable two twice trying try tried tracking ridiculous retiring layoff newest my must multiple moving moved move more months monthly month money monetary moment mom mistake mind might never news opening next ontario only oneday one once on offset offered offer of now notified nonsense nonesence non no nice merge memberships membership members long lol locations location ll limiting limited limit life letting let lesser less legacy left leave learning longer looking loose market member medical means me maybe may married manservices losing making makes make made luck loyalty lost opened opportunity retired recent reality reactivate re rather rates rate raises raised raise quickly quality putting pushed provider profit profiles problem reason recently
Topic 19 | Coherence=-219423.80 | Top words= to need of and be will my change back month don got cut expenses payment billing married just end move date memberships country service off unable two laid all husband almost help at rent per increased no can customer cheaper recently costs feet now retiring must anymore get looking due replace with new switching hand offer afford single spend amount used quality grandkids greed gouging great games go gotten given gas good gonna getting gone going gf girl goes give garbage for future fuel fee fault far fan family fair fact face extra extortion expensive expected everything every even euro especially feel fees few food from frequent free forth forever forcing guys focused fiance flat fixed fix first financially financial finally greedy high hacked keep joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead justify keeping hackednot keeps like life letting let lesser less legacy left leave learning layoff later last lack kids kidding kept inflation increments increasses increasing hikes hike higher entertaining her health he having havent have has hardly hard happy half had hacking hiking history holder if increases increase income in improvements im ill idea horrible hungry huge how households household house hosehold entertainment youre enough benefits bill biggest biden biased biannually bf between better benefit awhile being begin before been becoming because became barely billings bills bit blindly care card cant cannot cancelling canceling cancel bye by but business buggin budget broke break boyfriend both bank away caring adding againlater again after adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about agree alarming allow allowed aunt as aren are apps aparently anyways any anticonsumer another annually an amounts amercian am also already cared caused emails deteriorated disgusts disgusting discontinue disappointed direction different differences didnt delivering cutting declined decisions death deal days day daughter damn divorce do doesnt done email elsewhere else eliminating el edge easily earlier each duplicate limited drive drastically drain down double dont dad customers cell choose coming come combining combine college climbing climb city choice currently checking charging charges charged charge changing changes changed company compared competitive compromised current currency creep credit covid courtesy cost continuous continues continue continually continously constantly constant consolidating consider connected limit loyal limiting stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting started start squeeze spouses spouse spending span subscriber subscription these temporary their the thats that thanks thank than terrible temporarily subscriptions taste talk taking take system support summer success sorry soon son secure servicio services series sense selection seen seems see second something scaling scales saving save same run rules rule set settled several shady someone some so situation since significant signaling sign sight sick shoves shouldn should short she sharing share there they little we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who thing wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife vs virtue value tipped tried tracking town tooo too told today tired times vaccine time tightening tight throughout through this think things try trying twice under ut using uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rotating rising risen nonesence ok often offset offered notified nothing not nonsense non once nice next news newest never needed multiple much on one rise other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only moving moved more losing makes make made luck loyalty your lower lost loose months longer long lol locations location ll living live making manservices many market monthly money monetary moment mom mistake mind might merge membership members member medical means me maybe may owning pagos parent rather rectifying recession recent reason really reality reactivate re rates provider rate raising raises raised raise quickly putting put redo reduce reducing reflect
Topic 20 | Coherence=-236374.50 | Top words= price and the of are for service is my increase out with your subscriptions getting do no increases in hikes we rates after thing than same higher others who longer continues through provider greedy am hand consolidating got married money at selection customer lack year every worth good tired being phone moving care fiance two bye terrible recent re happy rate opportunity spending rise end value work far sight frequent be absurd additional accounts won months profit combining starting support will profiles connected girl loyal moment too free pay ya account death holder short cell merge temporary households fact before reality to reflect just raising pricing im span husband ridiculous customers divorce constantly lol tight using as extortion entertaining financially first fix fixed kept huge flat focused kidding if expensive enough idea food joint forcing forever household forth hungry financial entertainment justify finally extra face expenses expected everything how fair family house even keeping fault fee feel fees feet few keep euro especially keeps fan garbage from fuel hacked hackednot hacking had intolerable half into interested instead hard hardly has inflation have havent having increments history increasses he health help increasing her high increased income hike improvements guys iny isn ill future join games job hiking jacking itself gas hosehold get its it give given greed go goes going gone gonna issues issue isnt gotten gouging grandkids great horrible gf direction emails back billing bill biggest biden biased biannually bf between better benefits benefit begin been becoming because became barely billings bills bit by card cant cannot cancelling canceling cancel can but blindly business buggin budget broke break boyfriend both bank awhile email away all alarming agree againlater again afford adicional addtional addresses addition adding added activities acct access acceptance about allow allowed almost any automatically aunt aren apps aparently anyways anymore anticonsumer already another annually an amounts amount amercian also cared caring caused change disgusting discontinue disappointed different differences didnt deteriorated delivering declined decisions deal days day daughter date damn dad disgusts doesnt don each elsewhere else eliminating el edge easily earlier duplicate done due drive drastically drain down double dont cutting cut currently checking combine college climbing climb city choose choice cheaper coming charging charges charged charge changing changes changed come company current cost currency creep credit covid courtesy country costs continuous compared continue continually continously constant consider compromised competitive kids youre laid started squeeze spouses spouse spend sorry soon son something someone some so situation single since significant signaling sign start states taste stay taking take system switching summer success subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing sick shoves shouldn should run rules rule rotating rising risen ripped right return retiring retired resume resubscribe restriction restrict restart respect save saving scales servicio she sharing share shady several settled set services scaling series sense seen seems see secure second talk temporarily last were well weeks week way waste was warrant wants wanted want waiting wait vs virtue vaccine ut uses went what thank whats youll you yet years yearly yall wouldn would workable wont without willing wife why while where when users used use us told today tipped times time tightening throughout this think things they these there their thats that thanks tooo town tracking unfortunately upward upping upcoming up until unneeded unnecessary unfair tried unemployed understand under unable twice trying try residence reside repurposing needed must multiple much moved move more monthly month monetary mom mistake mind might memberships membership members member need never replace new ok often offset offered offer off now notified nothing not nonsense nonesence non nice next news newest medical means me maybe live little limiting limited limit like life letting let lesser less legacy left leave learning layoff later living ll location made may market many manservices making makes make luck locations loyalty lower lost losing loose looking long on once one poland put pushed profits problem prices president prescription prefer preemptively power possible por popular pop politically political policy putting
 44%|████▍     | 21/48 [57:14<1:38:15, 218.34s/it]
Topic 21 | Coherence=-235835.28 | Top words= you and keep prices for increasing it that sharing customer time only will at is your like long subscriber the no rates alarming feel loyalty to there we pay going terrible pricing addition new guys people want from charges just customers are more greed better stop fee business make even loose doesnt sense they charge decisions dont resubscribe making well garbage reason care when something rate about because subscription cant what service got adding users rules need households one combine don waiting prefer yearly day until constantly been year declined money increase moved due expensive expected forcing kids keeps joint gas get focused getting food games kidding justify fuel forever kept forth future free keeping flat frequent finally fixed fix enough entertaining entertainment especially euro every everything expenses extortion extra face layoff later fact fair family fan far fault last laid fees feet few fiance financial lack financially first gf increments girl iny household house hosehold horrible holder intolerable history huge isn hiking hikes isnt hike issue how into give improvements increasses inflation increases increased income in im interested ill if idea husband instead hungry issues higher high gotten hackednot hacked greedy great grandkids gouging good her gonna gone join goes go given job jacking hacking itself had half hand happy hard its hardly has have having he health help havent youre end bill biden biased biannually bf between benefits benefit being begin before becoming became be barely bank back awhile biggest billing cared billings cannot cancelling canceling cancel can bye by but buggin budget broke break boyfriend both blindly bit bills away automatically aunt as agree againlater again after afford adicional addtional addresses additional added activities acct accounts account access acceptance absurd all allow allowed another aren apps aparently anyways anymore any anticonsumer annually almost an amounts amount amercian am also already card caring emails leave discontinue disappointed direction different differences didnt deteriorated delivering death deal days daughter date damn dad cutting cut disgusting disgusts caused divorce email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double done do currently current currency creep come combining college climbing climb city choose choice checking cheaper charging charged changing changes changed change cell coming company compared continues credit covid courtesy country costs cost continuous continue competitive continually continously constant consolidating consider connected compromised learning loyal left sorry started start squeeze spouses spouse spending spend span soon legacy son someone some so situation single since significant starting states stay stealing taste talk taking take system switching support summer success subscriptions subscribers sub stupid stranger stopping stopped stepdad signaling sign sight scaling saving save same run rule rotating rising risen rise ripped right ridiculous return retiring retired resume restriction scales second sick secure shoves shouldn should short she share shady several settled set servicio services series selection seen seems see temporarily temporary than where were went weeks week way waste was warrant wants wanted wait vs virtue value vaccine ut using whats while used who youll yet years yall ya wouldn would worth workable work wont won without with willing wife why uses use thank tooo told today tired tipped times tightening tight throughout through this think things thing these their thats thanks too town us tracking upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried restrict restart respect nonsense non nice next news newest never needed my must multiple much moving move months monthly month monetary nonesence not mom nothing option opportunity opening opened ontario oneday once on ok often offset offered offer off of now notified moment mistake or lost looking longer lol locations location ll living live little limiting limited limit life letting let lesser less losing lower mind luck might merge memberships membership members member medical means me maybe may married market many manservices makes made options original residence rather raises raised raise quickly quality putting put pushed provider profits profit profiles problem price president prescription preemptively raising re possible
Average topic coherence for the top words is -230241.72073711606
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.52it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.54it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.51it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.53it/s]
 10%|█         | 5/50 [00:00<00:08,  5.53it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.50it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.50it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.52it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.50it/s]
 20%|██        | 10/50 [00:01<00:07,  5.54it/s]
 22%|██▏       | 11/50 [00:01<00:07,  5.50it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.51it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.53it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.52it/s]
 30%|███       | 15/50 [00:02<00:06,  5.53it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.51it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.50it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.49it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.48it/s]
 40%|████      | 20/50 [00:03<00:05,  5.45it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.43it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.44it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.46it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.46it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.46it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.46it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.47it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.47it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.46it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.48it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.47it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.47it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.45it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.45it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.47it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.48it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.50it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.50it/s]
 78%|███████▊  | 39/50 [00:07<00:01,  5.50it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.50it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.50it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.49it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.48it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.48it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.49it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.48it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.49it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.47it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.41it/s]
100%|██████████| 50/50 [00:09<00:00,  5.48it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.90it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.79it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.77it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.82it/s]
 10%|█         | 5/50 [00:00<00:06,  6.83it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.79it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.79it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.80it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.80it/s]
 20%|██        | 10/50 [00:01<00:05,  6.80it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.83it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.84it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.81it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.81it/s]
 30%|███       | 15/50 [00:02<00:05,  6.81it/s]
 32%|███▏      | 16/50 [00:02<00:04,  6.82it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.84it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.83it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.84it/s]
 40%|████      | 20/50 [00:02<00:04,  6.81it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.81it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.82it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.82it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.83it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.83it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.84it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.83it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.83it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.84it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.85it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.83it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.82it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.76it/s]
 68%|██████▊   | 34/50 [00:04<00:02,  6.71it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.71it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.72it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.73it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.77it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.79it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.75it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.76it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.79it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.78it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.80it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.80it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.79it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.78it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.77it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.78it/s]
100%|██████████| 50/50 [00:07<00:00,  6.80it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.68it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.61it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.62it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.62it/s]
 10%|█         | 5/50 [00:01<00:12,  3.63it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.62it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.62it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.61it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.60it/s]
 20%|██        | 10/50 [00:02<00:11,  3.56it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.57it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.60it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.60it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.61it/s]
 30%|███       | 15/50 [00:04<00:09,  3.60it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.61it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.63it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.64it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.65it/s]
 40%|████      | 20/50 [00:05<00:08,  3.64it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.65it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.65it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.66it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.65it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.65it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.65it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.64it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.64it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.60it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.61it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.61it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.62it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.63it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.63it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.64it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.63it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.63it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.60it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.61it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.61it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.62it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.61it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.63it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.63it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.63it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.63it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.62it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.59it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.60it/s]
100%|██████████| 50/50 [00:13<00:00,  3.62it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.81it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.79it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.80it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.81it/s]
 10%|█         | 5/50 [00:01<00:16,  2.81it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.79it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.80it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.81it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.80it/s]
 20%|██        | 10/50 [00:03<00:14,  2.80it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.81it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.80it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.78it/s]
 28%|██▊       | 14/50 [00:05<00:12,  2.79it/s]
 30%|███       | 15/50 [00:05<00:12,  2.79it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.80it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.80it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.80it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.78it/s]
 40%|████      | 20/50 [00:07<00:10,  2.79it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.79it/s]
 44%|████▍     | 22/50 [00:07<00:10,  2.78it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.79it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.79it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.79it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.79it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.77it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.78it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.78it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.78it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.78it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.80it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.80it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.79it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.79it/s]
 72%|███████▏  | 36/50 [00:12<00:05,  2.79it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.80it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.80it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.80it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.81it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.80it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.78it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.78it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.79it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.80it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.80it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.80it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.79it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.79it/s]
100%|██████████| 50/50 [00:17<00:00,  2.79it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.84it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.84it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.84it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.82it/s]
 10%|█         | 5/50 [00:02<00:24,  1.83it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.83it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.83it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.84it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.85it/s]
 20%|██        | 10/50 [00:05<00:21,  1.85it/s]
 22%|██▏       | 11/50 [00:05<00:21,  1.85it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.85it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.85it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.84it/s]
 30%|███       | 15/50 [00:08<00:18,  1.84it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.85it/s]
 34%|███▍      | 17/50 [00:09<00:17,  1.85it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.85it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.85it/s]
 40%|████      | 20/50 [00:10<00:16,  1.85it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.85it/s]
 44%|████▍     | 22/50 [00:11<00:15,  1.85it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.84it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.84it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.84it/s]
 52%|█████▏    | 26/50 [00:14<00:12,  1.85it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.85it/s]
 56%|█████▌    | 28/50 [00:15<00:11,  1.84it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.85it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.85it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.85it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.85it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.84it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.85it/s]
 70%|███████   | 35/50 [00:18<00:08,  1.85it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.85it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.85it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.85it/s]
 78%|███████▊  | 39/50 [00:21<00:05,  1.85it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.85it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.85it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.84it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.84it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.84it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.84it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.85it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.85it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.84it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.85it/s]
100%|██████████| 50/50 [00:27<00:00,  1.84it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.12it/s]
Topic 0 | Coherence=-237827.27 | Top words= prices increasing like it for you long only customer your after keep time we entertaining biannually far too options company no going are subscriber rates is seems or much year at there alarming will raising other consider ill loyalty with feel price many stop increases has to been need nonsense benefits changing one don in keeps moved so damn into put money these boyfriend lost success some using every yall mind on users discontinue several please months weeks twice anymore support already nonesence not being as seen what wont remarried limiting since replace loyal adding mom history feet fiance finally financial financially first fix itself fixed flat focused food its issues forcing forever forth issue isnt isn free frequent from fuel future games garbage iny few jacking fees get lack kids entertainment especially euro even kidding kept everything expected expenses expensive extortion extra keeping face justify just fact fair joint family fan join fault fee job gas getting holder households had idea husband half hand happy hard hungry hardly huge have havent how household gf house having hosehold he health help her high higher hike horrible hikes hiking hacking if hackednot im girl give given go goes intolerable gone interested gonna instead good got inflation increments gotten increasses increased gouging increase income grandkids great greed greedy guys improvements hacked enough do end between bills billings billing bill biggest biden biased bf better back benefit begin before becoming because became be barely bit blindly both break caring cared care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke bank awhile emails addition agree againlater again afford adicional addtional addresses additional added away activities acct accounts account access acceptance absurd about all allow allowed almost automatically aunt aren apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also caused cell change delivering disgusts disgusting disappointed direction different differences didnt deteriorated declined changed decisions death deal days day daughter date dad divorce last doesnt done email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont cutting cut customers competitive coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changes compared compromised currently connected current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating laid youre later stealing states starting started start squeeze spouses spouse spending spend span sorry soon son something someone situation single stay stepdad signaling stopped terrible temporary temporarily taste talk taking take system switching summer subscriptions subscription subscribers sub stupid stranger stopping significant sign layoff second scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired scaling secure sight see sick shoves shouldn should short she sharing share shady settled set servicio services service series sense selection than thank thanks whats went well week way waste was warrant wants wanted want waiting wait vs virtue value vaccine ut were when that where youll yet years yearly ya wouldn would worth workable work won without willing wife why who while uses used use us told today tired tipped times tightening tight throughout through this think things thing they their the thats tooo town tracking unfortunately upward upping upcoming up until unneeded unnecessary unfair tried unemployed understand under unable two trying try resume resubscribe restriction nice news newest new never needed my must multiple moving move more monthly month monetary moment mistake might next non our nothing original option opportunity opening opened ontario oneday once ok often offset offered offer off of now notified merge memberships membership members locations location ll living live little limited limit life letting let lesser less legacy left leave learning lol longer looking market member medical means me maybe may married manservices loose making makes make made luck lower losing others out restrict reactivate rather rate raises raised raise quickly quality putting pushed provider profits profit profiles problem pricing president prescription re reality
Topic 1 | Coherence=-233407.41 | Top words= and my subscriptions for to year after additional profit starting profiles last greedy is raising increase prices married we you charge in not two will need why your just got good cancel do are needed dont rate don service services now husband guys months consolidating forth memberships am have getting put provider so each moving through increasses offset fiance wife only own want recently household house connected her temporarily has our multiple boyfriend scaling merge get cell down customer wants households ridiculous caused lol share an horrible spouse went rejoin be currently much future expenses expensive garbage gas games fees financially extortion expected gf financial girl give everything every even euro given especially fuel free extra from fee first fix fault fixed flat feet focused food far fan family fair fact forcing forever finally face few feel frequent go youre goes its issues issue isnt isn iny intolerable into interested instead inflation increments increasing increases increased income it itself im jacking learning layoff later laid lack kids kidding kept keeps keeping keep justify joint join job improvements ill going entertaining hard happy hand half had hacking hackednot hacked greed great grandkids gouging gotten gonna gone hardly havent if having idea hungry huge how hosehold holder history hiking hikes hike higher high help health he entertainment done enough being biden biased biannually bf between better benefits benefit begin away before been becoming because became barely bank back biggest bill billing billings cant cannot cancelling canceling can bye by but business buggin budget broke break both blindly bit bills awhile automatically end adding agree againlater again afford adicional addtional addresses addition added aunt activities acct accounts account access acceptance absurd about alarming all allow allowed at as aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian also already almost card care cared decisions disappointed direction different differences didnt deteriorated delivering declined death caring deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce emails email elsewhere else eliminating el edge easily earlier duplicate due drive drastically drain double left doesnt cut customers current coming combining combine college climbing climb city choose choice checking cheaper charging charges charged changing changes changed change come company currency compared creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consider compromised competitive leave loyal legacy start stopping stopped stop stepdad stealing stay states started squeeze retiring spouses spending spend span sorry soon son something stranger stupid sub subscriber that thanks thank than terrible temporary taste talk taking take system switching support summer success subscription subscribers someone some situation selection seems see secure second scales saving save same run rules rule rotating rising risen rise ripped right seen sense single series since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio thats the their when what were well weeks week way waste was warrant wanted waiting wait vs virtue value vaccine ut whats where uses while youll yet years yearly yall ya wouldn would worth workable work wont won without with willing who using users there tracking tooo too told today tired tipped times time tightening tight throughout this think things thing they these town tried used try use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying return retired less never nonesence non no nice next news newest new must resume moved move more monthly month money monetary moment nonsense nothing notified of original or options option opportunity opening opened ontario oneday one once on ok often offered offer off mom mistake mind losing looking longer long locations location ll living live little limiting limited limit like life letting let lesser loose lost might lower membership members member medical means me maybe may market many manservices making makes make made luck loyalty other others out reason reality reactivate re rather rates raises raised raise quickly quality putting pushed profits problem pricing price president really recent prefer
Topic 2 | Coherence=-221690.46 | Top words= too price your many subscription access why will now am luck the greed increments checking canceling good you where be to with their again how they done newest when tracking moved there bank us start an constant hikes thats increase lost creep family resume changing currently more less piracy these reside raised policies pleased in biggest back flat card games entertainment especially gas greedy emails great get grandkids gouging end gotten got enough girl gonna gone going goes getting go entertaining given gf give garbage expenses future fee finally expected fiance few feet fees feel fault fuel far fan fair fact face extra extortion financial financially first fix euro from even frequent free every expensive forth forever forcing for food guys everything fixed focused her hacked inflation just joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested justify keep keeping learning life letting let lesser legacy left leave layoff keeps later last laid lack kids kidding kept instead increasses hackednot increasing higher high elsewhere help health he having havent have has hardly hard happy hand half had hacking hike hiking history idea increases increased income improvements im ill if husband holder hungry huge households household house hosehold horrible email youre else being biden biased biannually bf between better benefits benefit begin aunt before been becoming because became barely awhile away bill billing billings bills cant cannot cancelling cancel can bye by but business buggin budget broke break boyfriend both blindly bit automatically at cared addition agree againlater after afford adicional addtional addresses additional adding as added activities acct accounts account acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian also already almost care caring eliminating decisions disappointed direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont limit don doesnt do cut customer caused choice come combining combine college climbing climb city choose cheaper current charging charges charged charge changes changed change cell coming company compared competitive currency credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised like loyal limited span states starting started squeeze spouses spouse spending spend sorry stealing soon son something someone some so situation single stay stepdad retiring summer temporarily taste talk taking take system switching support success stop subscriptions subscribers subscriber sub stupid stranger stopping stopped since significant signaling run see secure second scaling scales saving save same rules sign rule rotating rising risen rise ripped right ridiculous seems seen selection sense sight sick shoves shouldn should short she sharing share shady several settled set servicio services service series temporary terrible than was were went well weeks week we way waste warrant ut wants wanted want waiting wait vs virtue value what whats while who youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife vaccine using thank tightening town tooo told today tired tipped times time tight uses throughout through this think things thing that thanks tried try trying twice users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired limiting next notified nothing not nonsense nonesence non no nice news off new never needed need my must multiple much of offer resubscribe opened others other original or options option opportunity opening ontario offered only oneday one once on ok often offset moving move months looking making makes make made loyalty lower losing loose longer monthly long lol locations location ll living live little manservices market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe our out outside raise reality reactivate re rather rates rate raising raises quickly pricing quality putting put pushed provider profits profit profiles really reason recent recently
Topic 3 | Coherence=-233300.22 | Top words= price the and not for to increase of share raising is keep you anymore hikes are do enough charging hike out newest paying don an now use just willing your letting hand us customers cost garbage currently getting way lack extra quality this options support can used why something great spending made go happy selection got agree continues limiting charge blindly fault issues should policy far budget damn financial care absurd justify access higher unemployed have stupid warrant done having changes household high much pay living some only single get constant rates again declined waste caring expected tired drain coming means up must kept future keeps from fuel frequent kidding free forth expensive later games forcing keeping gas expenses everything every left gf joint join even forever food kids laid fee learning last feel fees feet few fan fiance finally family job layoff financially first fix fair fact face fixed leave flat extortion focused girl im jacking increased havent he health instead inflation help her increments increasses increasing increases hiking history holder itself income in horrible hosehold house households improvements how huge hungry husband idea if euro interested has hardly give given goes going ill gonna good its gotten gouging it issue grandkids isnt greed greedy guys isn hacked hackednot hacking had iny half intolerable into hard gone youre especially biggest biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank biden bill awhile billing cant cannot cancelling canceling cancel bye by but business buggin broke break boyfriend both bit bills billings back away entertainment allow alarming againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance about all allowed automatically almost aunt at as aren apps aparently anyways any anticonsumer another annually amounts amount amercian am also already card cared caused doesnt divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering decisions death deal days day daughter less dont cell double entertaining end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically down date dad cutting cut company come combining combine college climbing climb city choose choice checking cheaper charges charged changing changed change compared competitive compromised country customer current currency creep credit covid courtesy costs connected continuous continue continually continously constantly consolidating consider legacy loyal lesser spouse stealing stay states starting started start squeeze spouses spend thank span sorry soon son someone so situation since stepdad stop stopped stopping terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscription subscribers subscriber sub stranger significant signaling sign second scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired scaling secure sight see sick shoves shouldn short she sharing shady several settled set servicio services service series sense seen seems than thanks let we when whats what were went well weeks week was that wants wanted want waiting wait vs virtue value where while who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with will vaccine ut using tooo told today tipped times time tightening tight throughout through think things thing they these there their thats too town uses tracking users upward upping upcoming until unneeded unnecessary unfortunately unfair understand under unable two twice trying try tried resume resubscribe restriction need non no nice next news new never needed my restrict multiple moving moved move more months monthly month nonesence nonsense nothing notified original or option opportunity opening opened ontario oneday one once on ok often offset offered offer off money monetary moment luck lower lost losing loose looking longer long lol locations location ll live little limited limit like life loyalty make mom makes mistake mind might merge memberships membership members member medical me maybe may married market many manservices making other others our really reactivate re rather rate raises raised raise quickly putting put pushed provider profits profit profiles problem pricing reality reason president
Topic 4 | Coherence=-234371.01 | Top words= to and money need the other you of want different dont in this save me with my it for just subscriptions time will again be much use cancel that country membership services two mom start currency moved live paying location before places restrict some since care as one trying things using first waste current take changed spend cheaper significant moving don another rather learning rising house pay would hard financially at payment double emails euro apps same right new second ontario afford prefer added activities gf awhile go putting keep platform replace outside stupid there platforms being reducing raise cant resume so keeps vaccine also unneeded forcing entertainment justify face forever forth free entertaining especially frequent from fuel future enough games garbage gas food even focused feel extra kept fact extortion expensive fair family fan far fault fee expenses fees flat feet few fiance get keeping finally financial expected everything fix every fixed joint increased getting into instead horrible holder history hiking interested hikes hike girl higher intolerable high her help health iny hosehold household households inflation increase income increases increasing improvements im ill if idea husband increasses hungry huge how increments he is isn greedy itself jacking great grandkids gouging gotten got good gone going job goes join given give greed guys isnt hacked having havent issue issues have has hardly its end happy hand half had hacking hackednot gonna youre email bank billings billing bill biggest biden biased biannually bf between better benefits benefit begin been becoming because became bills bit blindly bye caring cared card cannot cancelling canceling can by both but business buggin budget broke break boyfriend barely back cell away alarming agree againlater after adicional addtional addresses additional addition adding acct accounts account access acceptance absurd about all allow allowed any automatically aunt aren are aparently anyways anymore anticonsumer almost annually an amounts amount amercian am already caused change elsewhere cut disappointed direction kids differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad discontinue disgusting disgusts duplicate else eliminating el edge easily earlier each due divorce drive drastically drain down done doesnt do cutting customers changes customer company coming come combining combine college climbing climb city choose choice checking charging charges charged charge changing compared competitive compromised continuous currently creep credit covid courtesy costs cost continues connected continue continually continously constantly constant consolidating consider kidding loyal lack stealing states starting started squeeze spouses spouse spending span sorry soon son something someone situation single signaling sign stay stepdad laid stop temporary temporarily taste talk taking system switching support summer success subscription subscribers subscriber sub stranger stopping stopped sight sick shoves shouldn saving run rules rule rotating risen rise ripped ridiculous return retiring retired resubscribe restriction restart respect residence scales scaling secure settled should short she sharing share shady several set see servicio service series sense selection seen seems terrible than thank value when whats what were went well weeks week we way was warrant wants wanted waiting wait vs where while who wouldn youll yet years yearly year yall ya worth why workable work wont won without willing wife virtue ut thanks uses tooo too told today tired tipped times tightening tight throughout through think thing they these their thats town tracking tried until users used us upward upping upcoming up unnecessary try unfortunately unfair unemployed understand under unable twice reside repurposing rent maybe must multiple move more months monthly month monetary moment mistake mind might merge memberships members member medical needed never newest notified ok often offset offered offer off now nothing news not nonsense nonesence non no nice next means may once married living little limiting limited limit like life letting let lesser less legacy left leave layoff later last ll locations lol luck market many manservices making makes make made loyalty long your lower lost losing loose looking longer on oneday renewing pop quality put pushed provider profits profit profiles problem pricing prices price president prescription preemptively power possible por quickly
Topic 5 | Coherence=-230489.89 | Top words= to the many price greedy your charging way hikes extra not also of few past fan over subscriptions money years because share raised change for me need out long will it renewing cancel high country while be billing has greed company work month first times new at due let didnt moment disgusts date profiles moving buggin temporary prices redo anymore want barely wants else ya membership feet expensive gonna gone going goes given go extortion face give fact good expenses got gotten gouging gf expected everything every even grandkids great euro especially girl family getting fair financial fix hacked fixed finally flat focused fiance food forcing forever fees forth free frequent from feel fee fuel future games fault garbage gas far financially get guys youre hackednot increasses joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation just justify keep layoff letting lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps increments increasing hacking increases hiking hike higher entertaining her help health he having havent have hardly hard happy hand half had history holder horrible if increased increase income in improvements im ill idea hosehold husband hungry huge how households household house entertainment drastically enough begin biased biannually bf between better benefits benefit being before biggest been becoming became bank back awhile away automatically biden bill cared but card cant cannot cancelling canceling can bye by business billings budget broke break boyfriend both blindly bit bills aunt as aren adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways any anticonsumer another annually and an amounts amount amercian am already almost allowed allow care caring end decisions discontinue disappointed direction different differences deteriorated delivering declined death divorce deal days day daughter damn dad cutting cut disgusting do caused each emails email elsewhere eliminating el edge easily earlier duplicate doesnt drive like drain down double dont done don customers customer currently choice come combining combine college climbing climb city choose checking current cheaper charges charged charge changing changes changed cell coming compared competitive compromised currency creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected life loyal limit start stopped stop stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stopping stranger stupid sub thanks thank than terrible temporarily taste talk taking take system switching support summer success subscription subscribers subscriber something some thats scaling series sense selection seen seems see secure second scales so saving save same run rules rule rotating rising service services servicio set situation single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled that their rise was what were went well weeks week we waste warrant uses wanted waiting wait vs virtue value vaccine ut whats when where who youll you yet yearly year yall wouldn would worth workable wont won without with willing wife why using users there tightening town tooo too told today tired tipped time tight used throughout through this think things thing they these tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice risen ripped limited non offered offer off now notified nothing nonsense nonesence no much nice next news newest never needed my must offset often ok on overpriced outside our others other original or options option opportunity opening opened ontario only oneday one once multiple moved owner looking make made luck loyalty lower lost losing loose longer move lol locations location ll living live little limiting makes making manservices market more months monthly monetary mom mistake mind might merge memberships members member medical means maybe may married own owning right rather recession recently recent reason really reality reactivate re rates provider rate raising raises raise quickly quality putting put rectifying reduce reducing reflect
Topic 6 | Coherence=-233481.06 | Top words= too expensive for worth prices and not is it the me many now going keep new to much anymore no just fees money up so rules service more raised have upward unfortunately lost charges added price getting face life keeping don choice want iny nice shoves others forcing especially vs but adding use switching make compared its given really dont rule stupid thanks pop right amount later way never maybe itself offered paying everything longer creep girl subscriptions using whats increased ya different sharing easily workable secure household overpriced feel hackednot at isn pleased greedy policies less system won continously piracy single replace luck break save expected fact from fuel feet future games extra entertainment fiance garbage gas fee fair get entertaining fault enough far few free frequent every fixed fan flat fix focused extortion food even expenses first financially financial forever euro finally forth family youre gf increasses increases increase income in improvements im ill if idea husband hungry huge how households house increasing increments give inflation kidding kept keeps justify joint join job jacking issues issue isnt intolerable into interested instead hosehold horrible holder history had hacking hacked guys greed great grandkids gouging gotten got good gonna gone goes go half hand happy help hiking hikes hike higher high her health emails he having havent has hardly hard end disgusting email begin biased biannually bf between better benefits benefit being before away been becoming because became be barely bank back biden biggest bill billing cannot cancelling canceling cancel can bye by business buggin budget broke boyfriend both blindly bit bills billings awhile automatically card additional agree againlater again after afford adicional addtional addresses addition aunt activities acct accounts account access acceptance absurd about alarming all allow allowed as aren are apps aparently anyways any anticonsumer another annually an amounts amercian am also already almost cant care elsewhere deal direction differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers disappointed discontinue lack disgusts else eliminating el edge earlier each duplicate due drive drastically drain down double done doesnt do divorce customer current cared charging combine college climbing climb city choose checking cheaper charged currency charge changing changes changed change cell caused caring combining come coming company credit covid courtesy country costs cost continuous continues continue continually constantly constant consolidating consider connected compromised competitive kids loyal laid stealing states starting started start squeeze spouses spouse spending spend span sorry soon son something someone some situation stay stepdad thank stop terrible temporary temporarily taste talk taking take support summer success subscription subscribers subscriber sub stranger stopping stopped since significant signaling sign scaling scales saving same run rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction second see seems shady sight sick shouldn should short she share several seen settled set servicio services series sense selection than that last where what were went well weeks week we waste was warrant wants wanted waiting wait virtue value vaccine when while thats who youll you yet years yearly year yall wouldn would work wont without with willing will wife why ut uses users used today tired tipped times time tightening tight throughout through this think things thing they these there their told tooo town unemployed us upping upcoming until unneeded unnecessary unfair understand tracking under unable two twice trying try tried restrict restart respect next newest needed need my must multiple moving moved move months monthly month monetary moment mom mistake mind news non residence nonesence opening opened ontario only oneday one once on ok often offset offer off of notified nothing nonsense might merge memberships membership location ll living live little limiting limited limit like letting let lesser legacy left leave learning layoff locations lol long manservices members member medical means may married market making looking makes made loyalty your lower losing loose opportunity option options preemptively rate raising raises raise quickly quality putting put pushed provider profits profit profiles problem pricing president prescription rates
Topic 7 | Coherence=-233288.77 | Top words= and price the prices increases is greedy keep you we subscription have of pay change where ridiculous are terrible sharing use different addition pricing raising increasing fee locations charges too anticonsumer will in upcoming many your reality acceptance that lack constant or off was being upping every gotten because expenses by services improvements lol used reducing any sick differences on laid restriction without jacking raised continously fees amounts huge ripped year people stranger less declined tired loyalty their second twice reflect often hacked monthly days constantly up rising unneeded want alarming extra entertainment financially first fix fixed flat focused food for just forcing forever enough forth end free frequent joint join from emails fuel future later job email entertaining especially face euro fact fair extortion family keeps keeping fan expensive far kept fault kidding games kids justify feel expected everything feet few last fiance even finally financial increasses give garbage higher horrible holder history hiking hikes hike high house into her intolerable help health he hosehold household having ill increased increase income increments im inflation if households idea husband instead interested hungry how iny havent gas going gouging itself got good gonna gone goes its go given girl gf getting get grandkids great isn isnt has hardly hard elsewhere hand half had greed hacking hackednot issue issues guys it happy youre else billing biggest biden biased biannually bf between better benefits benefit begin before been becoming became be barely bank bill billings awhile bills cant cannot cancelling canceling cancel can bye but business buggin budget broke break boyfriend both blindly bit back away care all againlater again after afford adicional addtional addresses additional adding added activities acct accounts account access absurd about agree allow automatically allowed aunt at as aren apps aparently anyways anymore another annually an amount amercian am also already almost card cared eliminating disgusting learning disappointed direction didnt deteriorated delivering decisions death deal day daughter date damn dad cutting cut customers discontinue disgusts currently divorce el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt do customer current caring come combine college climbing climb city choose choice checking cheaper charging charged charge changing changes changed cell caused combining coming currency company creep credit covid courtesy country costs cost continuous continues continue continually consolidating consider connected compromised competitive compared layoff loyal leave starting start squeeze spouses spouse spending spend span sorry soon son something someone some so situation single since started states signaling stay taking take system switching support summer success subscriptions subscribers subscriber sub stupid stopping stopped stop stepdad stealing significant sign taste scaling saving save same run rules rule rotating risen rise right return retiring retired resume resubscribe restrict restart scales secure sight see shoves shouldn should short she share shady several settled set servicio service series sense selection seen seems talk temporarily residence when what were went well weeks week way waste warrant wants wanted waiting wait vs virtue value vaccine whats while using who youll yet years yearly yall ya wouldn would worth workable work wont won with willing wife why ut uses temporary to times time tightening tight throughout through this think things thing they these there thats thanks thank than tipped today users told us upward until unnecessary unfortunately unfair unemployed understand under unable two trying try tried tracking town tooo respect reside left newest never needed need my must multiple much moving moved move more months month money monetary moment mom new news mind next only oneday one once ok offset offered offer now notified nothing not nonsense nonesence non no nice mistake might opened losing looking longer long location ll living live little limiting limited limit like life letting let lesser legacy loose lost merge lower memberships membership members member medical means me maybe may married market manservices making makes make made luck ontario opening repurposing raise quality putting put pushed provider profits profit profiles problem president prescription prefer preemptively power possible por popular quickly raises politically
Topic 8 | Coherence=-227705.08 | Top words= be back and will the taking break when my hike money on business ll time just we saving are many too you is that getting sense subscription doesnt well making resubscribe decisions guys make can of dont at phone it next bit service payday sharing another canceling platform ill preemptively more accounts combining before broke own rate for subscriptions through get dad repurposing might adicional servicio provider got free monetary por el divorce pagos join hungry stopping instead summer people week later awhile married moved right over layoff come now flat months cheaper garbage fuel goes lack go gf given give from girl even gas future expected every games everything expenses food laid fiance family fan far fault fact fee face feel fees extra feet few extortion finally frequent financial financially going first fix expensive fixed focused last fair forcing forever forth iny hackednot gone history im if itself idea husband huge jacking how households household job house hosehold horrible holder improvements its in inflation intolerable isn isnt into issue interested increments income issues increasses increasing increases increased increase joint hiking gonna hikes hard kids happy hand half had hacking hacked greedy greed great grandkids gouging gotten good hardly kidding has her justify keep keeping keeps higher high help have health he kept especially having havent euro youre entertainment benefits bill biggest biden biased biannually bf between better benefit changed being begin been becoming because became barely bank billing billings bills blindly cell caused caring cared care card cant cannot cancelling cancel bye by but buggin budget boyfriend both away automatically aunt alarming againlater again after afford addtional addresses additional addition adding added activities acct account access acceptance absurd about agree all as allow aren apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed change changes entertaining didnt do disgusts disgusting discontinue disappointed direction different differences deteriorated changing delivering declined death deal days day daughter date don leave done double enough end emails email elsewhere else eliminating edge easily earlier each duplicate due drive drastically drain down damn cutting cut consider compromised competitive compared company coming combine college climbing climb city choose choice checking charging charges charged charge connected consolidating customers constant customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly learning loyal left squeeze stop stepdad stealing stay states starting started start spouses legacy spouse spending spend span sorry soon son something stopped stranger stupid sub their thats thanks thank than terrible temporary temporarily taste talk take system switching support success subscribers subscriber someone some so selection seems see secure second scaling scales save same run rules rule rotating rising risen rise ripped ridiculous seen series situation services single since significant signaling sign sight sick shoves shouldn should short she share shady several settled set there these they who where whats what were went weeks way waste was warrant wants wanted want waiting wait vs virtue while why vaccine wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut thing twice try tried tracking town tooo told today to tired tipped times tightening tight throughout this think things trying two using unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under return retiring retired nonsense non no nice news newest new never needed need must multiple much moving move monthly month moment nonesence not mistake nothing options option opportunity opening opened ontario only oneday one once ok often offset offered offer off notified mom mind original loose longer long lol locations location living live little limiting limited limit like life letting let lesser less looking losing merge lost memberships membership members member medical means me maybe may market manservices makes made luck loyalty your lower or other resume reason reality reactivate re rather rates raising raises raised raise quickly quality putting put pushed profits profit profiles really recent pricing
Topic 9 | Coherence=-222726.14 | Top words= you is it and anymore your keep to we not with pop so afford make good especially life subscriber currently forcing nice using subscription choice shoves iny cant price inflation more keeping canceling face access just increments really checking time caused thanks by biden president greed luck have worth customers rising increasing expensive keeps series popular play outside daughter this coming am focused cannot over costs longer summer fan any living recession gas food raise aren feel has already service want also even where due reason get extortion euro got getting every gf gonna girl expenses give expected gone going given go goes everything few garbage extra feet finally financial gotten financially first fees fix fixed flat fee for fault far forever forth free family fair fact frequent from fuel fiance games future youre gouging into itself its issues issue isnt isn intolerable interested job instead increasses increases increased increase income in jacking join grandkids layoff let lesser less legacy left leave learning later joint last laid lack kids kidding kept justify improvements im ill hand health he entertainment havent hardly hard happy half if had hacking hackednot hacked guys greedy great help her high higher idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike having done entertaining benefit bill biggest biased biannually bf between better benefits being enough begin before been becoming because became be barely billing billings bills bit caring cared care card cancelling cancel can bye but business buggin budget broke break boyfriend both blindly bank back awhile alarming againlater again after adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about agree all away allow automatically aunt at as are apps aparently anyways anticonsumer another annually an amounts amount amercian almost allowed cell change changed doesnt divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day do don damn dont end emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double date dad changes connected competitive compared company come combining combine college climbing climb city choose cheaper charging charges charged charge changing compromised consider cutting consolidating cut customer current currency creep credit covid courtesy country cost continuous continues continue continually continously constantly constant letting loyal like squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger stupid that thank than terrible temporary temporarily taste talk taking take system switching support success subscriptions subscribers sub someone situation the same seems see secure second scaling scales saving save run single rules rule rotating risen rise ripped right ridiculous seen selection sense services since significant signaling sign sight sick shouldn should short she sharing share shady several settled set servicio thats their limit waste whats what were went well weeks week way was ut warrant wants wanted waiting wait vs virtue value when while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife vaccine uses there times tracking town tooo too told today tired tipped tightening users tight throughout through think things thing they these tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retiring retired new nothing nonsense nonesence non no next news newest never months needed need my must multiple much moving moved notified now of off or options option opportunity opening opened ontario only oneday one once on ok often offset offered offer move monthly resume looking making makes made loyalty lower lost losing loose long month lol locations location ll live little limiting limited manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may original other others quickly reactivate re rather rates rate raising raises raised quality our putting put pushed provider profits profit profiles problem reality recent recently
Topic 10 | Coherence=-229381.71 | Top words= you extra share of my with the and subscription family about increase using when like money that don bill outside idea states power limit news want paying charging out me cant because for without stay grandkids sharing too subscriptions months not town hosehold dont few limited virtue signaling political recent unable declined free upcoming keep have get unnecessary already at fixed gone going every goes go given everything euro give expected girl gf getting even gonna expensive good got gotten gouging especially entertainment entertaining enough end great greed emails email expenses gas flat garbage fix focused food first financially financial finally fiance feet fees feel forcing forever fee fault far forth fan fair frequent from fuel future fact face extortion games greedy having guys justify joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead just keeping increments keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept inflation increasses hacked hikes higher high her help health he else havent has hardly hard happy hand half had hacking hackednot hike hiking increasing history increases increased income in improvements im ill if husband hungry huge how households household house horrible holder elsewhere youre eliminating before biannually bf between better benefits benefit being begin been biden becoming became be barely bank back awhile away biased biggest card buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account access acceptance absurd agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also almost allowed cannot care el date deteriorated delivering decisions death deal days day daughter damn differences dad cutting cut customers customer currently current currency didnt different cared drain edge easily earlier each duplicate due drive drastically down direction double done do divorce disgusts disgusting discontinue disappointed creep credit covid charges college climbing climb city choose choice checking cheaper charged courtesy charge changing changes changed change cell caused caring combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company doesnt loyal limiting spend stealing starting started start squeeze spouses spouse spending span since sorry soon son something someone some so situation stepdad stop stopped stopping terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber sub stupid stranger single significant thank rule second scaling scales saving save same run rules rotating sign rising risen rise ripped right ridiculous return retiring secure see seems seen sight sick shoves shouldn should short she shady several settled set servicio services service series sense selection than thanks resume way whats what were went well weeks week we waste ut was warrant wants wanted waiting wait vs value where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won willing will wife vaccine uses thats throughout today to tired tipped times time tightening tight through users this think things thing they these there their told tooo tracking tried used use us upward upping up until unneeded unfortunately unfair unemployed understand under two twice trying try retired resubscribe little newest notified nothing nonsense nonesence non no nice next new more never needed need must multiple much moving moved now off offer offered other original or options option opportunity opening opened ontario only oneday one once on ok often offset move monthly our loose make made luck loyalty your lower lost losing looking month longer long lol locations location ll living live makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market others over restriction raise reactivate re rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles reality really reason recently
Topic 11 | Coherence=-229617.54 | Top words= you to my re for your going charge is and thank uses college no daughter ut sign worth anyways extra in she when bye not subscription the that on more another now kids as unfair intolerable city divorce wife through live courtesy left hacked up too don with change allow less sharing spend moving sub fix hard family profits disappointed kidding news get aren own customers want why added disgusting getting goes gotten got forever forth good gonna free frequent gone from legacy go given give fuel girl future games garbage gas gf forcing its food every face let extortion expensive expenses expected everything even focused euro letting especially entertainment entertaining enough end fact fair fan far flat fixed leave first lesser financially financial finally fiance few feet fees feel fee fault gouging hackednot grandkids improvements keep increases increased increase keeping income keeps im great ill kept if idea husband hungry huge increasing increasses increments inflation itself issues jacking issue isnt isn job join joint just iny justify into interested instead how households household he havent have has hardly layoff happy hand half had learning hacking it guys greedy greed having health house help hosehold horrible holder lack history hiking hikes laid hike last higher high later her email emails youre elsewhere begin biased biannually bf between better benefits benefit being before cant been becoming because became be barely bank back biden biggest bill billing cancelling canceling cancel can by but business buggin budget broke break boyfriend both blindly bit bills billings awhile away automatically agree again after afford adicional addtional addresses additional addition adding activities acct accounts account access acceptance absurd about againlater alarming aunt all at are apps aparently anymore any anticonsumer annually an amounts amount amercian am also already almost allowed cannot card else deal different differences didnt deteriorated delivering declined decisions death days care day date damn dad cutting cut customer currently direction discontinue disgusts like eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done doesnt do current currency creep come combine climbing climb choose choice checking cheaper charging charges charged changing changes changed cell caused caring cared combining coming credit company covid country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared life loyal limit sorry starting started start squeeze spouses spouse spending span soon signaling son something someone some so situation single since states stay stealing stepdad taste talk taking take system switching support summer success subscriptions subscribers subscriber stupid stranger stopping stopped stop significant sight temporary rising scales saving save same run rules rule rotating risen sick rise ripped right ridiculous return retiring retired resume scaling second secure see shoves shouldn should short share shady several settled set servicio services service series sense selection seen seems temporarily terrible restriction was were went well weeks week we way waste warrant users wants wanted waiting wait vs virtue value vaccine what whats where while youll yet years yearly year yall ya wouldn would workable work wont won without willing will who using used than this today tired tipped times time tightening tight throughout think use things thing they these there their thats thanks told tooo town tracking us upward upping upcoming until unneeded unnecessary unfortunately unemployed understand under unable two twice trying try tried resubscribe restrict limited new notified nothing nonsense nonesence non nice next newest never month needed need must multiple much moved move months of off offer offered others other original or options option opportunity opening opened ontario only oneday one once ok often offset monthly money out looking make made luck loyalty lower lost losing loose longer monetary long lol locations location ll living little limiting makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market our outside restart quality rather rates rate raising raises raised raise quickly putting president put pushed provider profit profiles problem pricing prices reactivate reality really reason
Topic 12 | Coherence=-234922.84 | Top words= it now good are me other charging only raising so if not you that was this reason im charge extra cheaper gonna bye out kept better afford people using services youre consider want can rectifying forever at makes issue reactivate right she fact give email re my never back thank anyways sign ut job lost college daughter many uses for have too time cant the your due just options month interested pay tight vaccine upping opportunity added raised service as from going forth leave free frequent given fuel future goes games garbage go get getting gf layoff forcing learning girl gas few food everything face left extortion expensive expenses expected every family legacy even euro especially entertainment entertaining fair fan focused finally flat fixed fix first financially financial fiance far later feet fees feel fee fault gone kids last income improvements ill join idea husband hungry huge how households household house hosehold horrible holder history in increase got increased isnt isn its is itself iny intolerable into jacking instead inflation increments increasses increasing increases joint hiking hikes hike had hacking kidding hackednot issues lack hacked guys greedy greed laid great grandkids gouging gotten half keeps hand keeping higher high her justify keep help health happy he having enough has hardly hard havent done end being biggest biden biased biannually bf between benefits benefit begin away before been becoming because became be barely bank bill billing billings bills care card cannot cancelling canceling cancel by but business buggin budget broke break boyfriend both blindly bit awhile automatically caring addition agree againlater again after adicional addtional addresses additional adding aunt activities acct accounts account access acceptance absurd about alarming all allow allowed aren apps aparently anymore any anticonsumer another annually and an amounts amount amercian am also already almost cared caused emails delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cut decisions death deal days day date damn dad disgusts divorce do doesnt elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double dont lesser don cutting customers cell city compared company coming come combining combine climbing climb choose customer choice checking charges charged changing changes changed change competitive compromised connected consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant less loyal let squeeze stop stepdad stealing stay states starting started start spouses thanks spouse spending spend span sorry soon son something stopped stopping stranger stupid terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub someone some situation seen see secure second scaling scales saving save same run rules rule rotating rising risen rise ripped ridiculous seems selection single sense since significant signaling sight sick shoves shouldn should short sharing share shady several settled set servicio series than thats retiring weeks while where when whats what were went well week their we way waste warrant wants wanted waiting wait who why wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vs virtue value tried town tooo told today to tired tipped times tightening throughout through think things thing they these there tracking try users trying used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice return retired letting need non no nice next news newest new needed must our multiple much moving moved move more months monthly nonesence nonsense nothing notified original or option opening opened ontario oneday one once on ok often offset offered offer off of money monetary moment loyalty losing loose looking longer long lol locations location ll living live little limiting limited limit like life lower luck mom made mistake mind might merge memberships membership members member medical means maybe may married market manservices making make others outside resume putting reality rather rates rate raises raise quickly quality put over pushed provider profits profit profiles problem pricing prices really recent recently
Topic 13 | Coherence=-219580.36 | Top words= my subscription and to in customer service different use live away on passed won even at customers two the have be garbage rate care able both but addresses unable date about account help all no hacked billing keeps anticonsumer this owner she change increasing opportunity paying someone where had being every amercian of support problem down drain re poland increase locations mom hacking money getting owning parent barely too hardly switching has enough acct aunt person payment greedy feet since opening talk terrible ontario focused ill budget do need loyal year think things few we fees feel fee fault far fan family finally fair fact face extra extortion expensive expenses fiance financial everything forever games future fuel from frequent free forth forcing financially for food way flat fixed fix first expected week gas doesnt drastically went were double dont done don what weeks divorce disgusts disgusting discontinue disappointed direction whats drive due duplicate each euro especially entertainment entertaining well end emails email elsewhere else eliminating el edge easily earlier waste was get how im value if idea husband hungry huge households vaccine household house hosehold horrible holder history hiking improvements income didnt into issues issue isnt isn is iny intolerable interested ut instead inflation increments increasses using increases increased hikes hike higher gonna greed great grandkids gouging gotten got good gone high going goes go given give girl gf warrant guys wants hackednot her virtue health he having havent vs wait waiting hard happy hand half want wanted differences delivering deteriorated awhile becoming because became work workable bank back worth before automatically would wouldn as aren are apps been begin break biggest with blindly bit bills billings without bill biden wont biased biannually bf between better benefits benefit aparently anyways anymore added afford adicional addtional years additional addition adding activities any yet accounts you access acceptance absurd youll after again againlater agree ya another annually yall an amounts amount am also already almost allowed allow yearly alarming boyfriend broke its continually courtesy country costs cost continuous continues continue continously credit constantly constant consolidating consider connected compromised competitive covid creep willing when declined decisions death deal days day daughter damn currency dad cutting cut while who currently current compared company coming cancelling caused caring cared wife card cant cannot canceling come cancel can bye by will business buggin cell why changed changes combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing it itself thing reside resume resubscribe restriction restrict restart respect residence repurposing retiring replace rent renewing remarried rejoin reflect reducing retired return redo run secure second scaling scales saving save same rules ridiculous rule rotating rising risen rise ripped right reduce rectifying jacking president profits profit profiles town pricing prices price prescription pushed prefer preemptively power possible por popular pop provider put recession rather recently recent reason really reality reactivate told rates putting tooo raising raises raised raise quickly quality see seems seen stranger success subscriptions time subscribers subscriber sub stupid stopping tightening stopped stop stepdad stealing stay states starting summer tight selection thank they these there their thats that thanks than system through temporary temporarily taste throughout taking take started start squeeze shady shoves shouldn should short tired sharing share several spouses settled set servicio services today series sense sick sight sign signaling spouse spending spend span sorry soon son something times some so situation single tipped significant politically political policy make may married market many manservices making makes made me luck loyalty your lower lost losing loose maybe means moved us more months monthly month upward monetary moment mistake medical mind might merge memberships membership members member looking longer long kept layoff later last laid lack kids kidding uses lol keeping keep justify just joint join job learning leave left legacy used location ll living users little limiting limited limit like life letting let lesser less move moving policies unemployed pay past twice parents under pagos understand own trying overpriced over outside out our others
Topic 14 | Coherence=-219183.32 | Top words= price your and the me in keep are rates for sharing increasing increase money been raising new thing than same continually others from higher who do no talk years on because recent other bye of limited yall havent stealing its tipped finally direction goes scales selection good system value one while little respect point members delivering run legacy worth stopping workable kidding profits raised canceling lower card original how pls isn tracking loose their aparently using caused dont gf expensive entertaining fuel gone face going future expenses go end extortion getting enough extra given games garbage give gas frequent girl get fee fact fixed fault even feel gonna fees feet few fiance every financial financially first fix far free everything flat focused expected euro food especially forcing forever forth entertainment family fair fan youre got instead issue isnt is iny intolerable into interested inflation it increments increasses increases increased income improvements im issues itself gotten kids leave learning layoff later last laid lack kept jacking keeps keeping justify just joint join job ill if idea hacking has hardly hard happy hand half had hackednot husband hacked guys greedy greed great grandkids gouging have having he health hungry huge households household house hosehold horrible holder history hiking hikes hike high her help emails don email before biannually bf between better benefits benefit being begin becoming biden became be barely bank back awhile away automatically biased biggest care budget cannot cancelling cancel can by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all apps anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cant cared elsewhere day differences didnt deteriorated declined decisions death deal days daughter disappointed date damn dad cutting cut customers customer currently different discontinue caring due else eliminating el edge easily earlier each duplicate drive disgusting drastically drain down double done doesnt divorce disgusts current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changing changes changed change cell combining come coming company covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared left loyal less spouse stepdad stay states starting started start squeeze spouses spending retired spend span sorry soon son something someone some stop stopped stranger stupid thanks thank terrible temporary temporarily taste taking take switching support summer success subscriptions subscription subscribers subscriber sub so situation single sense seems see secure second scaling saving save rules rule rotating rising risen rise ripped right ridiculous return seen series since service significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services that thats there whats were went well weeks week we way waste was warrant wants wanted want waiting wait vs virtue what when ut where youll you yet yearly year ya wouldn would work wont won without with willing will wife why vaccine uses these try town tooo too told today to tired times time tightening tight throughout through this think things they tried trying users twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring resume lesser my non nice next news newest never needed need must resubscribe multiple much moving moved move more months monthly nonesence nonsense not nothing options option opportunity opening opened ontario only oneday once ok often offset offered offer off now notified month monetary moment luck lost losing looking longer long lol locations location ll living live limiting limit like life letting let loyalty made mom make mistake mind might merge memberships membership member medical means maybe may married market many manservices making makes or our out really reactivate re rather rate raises raise quickly quality putting put pushed provider profit profiles problem pricing prices reality reason prescription
Topic 15 | Coherence=-226431.51 | Top words= price it and is increase too the up am but this keeps when going much year pay be was times cost high good has added seems every what have service nothing can think really ok way willing on income just fixed went afford amount get not quality or about started to down earlier should sorry gotten oneday half before will since horrible you hardly multiple once cannot changing charged last becoming moving rejoin settled quickly fees non retired risen customer charges billings days paying stopped nonsense users benefits tooo as climbing fee membership reflect market biggest prescription deal don broke set into worth financially first its future issues fix joint financial join justify from flat frequent food for fuel itself forcing forever forth free job jacking focused feet finally kidding later entertainment especially euro even laid everything lack expected kids expenses expensive extortion extra fiance kept face fact fair family fan far fault feel keeping games keep few issue getting garbage gas hacking had im hand happy hard ill entertaining if idea husband hungry huge how havent having households he health help her household higher hike house hosehold holder history hiking improvements in hackednot interested isnt isn hikes iny gf girl give given go goes intolerable gone gonna instead increased got inflation gouging grandkids increments great greed greedy increasses guys increasing increases hacked youre discontinue enough automatically bill biden biased biannually bf between better benefit being begin been because became barely bank back awhile billing bills bit cancel caring cared care card cant cancelling canceling bye blindly by business buggin budget break boyfriend both away aunt cell at agree againlater again after adicional addtional addresses additional addition adding activities acct accounts account access acceptance absurd alarming all allow anticonsumer aren are apps aparently anyways anymore any another allowed annually an amounts amercian also already almost caused change end cutting disgusts disgusting learning disappointed direction different differences didnt deteriorated delivering declined decisions death day daughter date damn divorce do doesnt easily emails email elsewhere else eliminating el edge each done duplicate due drive drastically drain double dont dad cut changed customers competitive compared company coming come combining combine college climb city choose choice checking cheaper charging charge changes compromised connected consider country currently current currency creep credit covid courtesy costs consolidating continuous continues continue continually continously constantly constant layoff loyal leave stealing states starting start squeeze spouses spouse spending spend span soon son something someone some so situation single stay stepdad signaling stop taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping significant sign temporary scales save same run rules rule rotating rising rise ripped right ridiculous return retiring resume resubscribe restriction restrict saving scaling sight second sick shoves shouldn short she sharing share shady several servicio services series sense selection seen see secure temporarily terrible respect whats well weeks week we waste warrant wants wanted want waiting wait vs virtue value vaccine ut using were where used while youll yet years yearly yall ya wouldn would workable work wont won without with wife why who uses use than told tired tipped time tightening tight throughout through things thing they these there their thats that thanks thank today town us tracking upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried restart residence left never need my must moved move more months monthly month money monetary moment mom mistake mind might merge needed new members newest opened ontario only one often offset offered offer off of now notified nonesence no nice next news memberships member opportunity longer lol locations location ll living live little limiting limited limit like life letting let lesser less legacy long looking medical loose means me maybe may married many manservices making makes make made luck loyalty your lower lost losing opening option reside raising raised raise putting put pushed provider profits profit profiles problem pricing prices president prefer preemptively power possible raises rate popular
Topic 16 | Coherence=-238083.33 | Top words= price the with enough increases in up and worth no of prices has to that me your you continues is service good greedy since months what being keep about us understand cared wouldn re begin leave it were hiking if increase longer means member hike ll this like go gone only high was more people be span drastically deteriorated continue selection value currently when benefit money added yet squeeze climb even used subscriber just try cost have over rise isnt pushed going as sight edge tired who do two frequent short out long became amount end ridiculous son rising fault annually changes loyal time justify offered access future broke are covid problem raise been spending way awhile better boyfriend house expected issues first keeping fix fixed flat especially focused itself its food for jacking issue forcing forever forth free keeps from kidding isn fuel kids financially financial expenses join expensive extortion joint extra face fact fair family fan far job finally fee euro feel games everything every fees kept few fiance feet get garbage households husband hackednot hacking had half hungry hand happy hard huge hardly how household hacked entertainment having he health help her hosehold higher horrible hikes holder history idea guys gas increasses iny intolerable into interested instead inflation increments getting gf girl give given increasing greed goes increased gonna income improvements got im gotten gouging grandkids great ill havent didnt entertaining emails bills billings billing bill biggest biden biased biannually bf between benefits before becoming because barely bank back bit blindly both canceling caused caring care card cant cannot cancelling cancel break can bye by but business buggin budget away automatically aunt additional againlater again after afford adicional addtional addresses addition alarming adding activities acct accounts account acceptance absurd agree all at another aren apps aparently anyways anymore any anticonsumer an allow amounts amercian am also already almost allowed cell change changed delivering disgusting discontinue disappointed direction different differences laid declined divorce decisions death deal days day daughter date disgusts doesnt dad each email elsewhere else eliminating el easily earlier duplicate don due drive drain down double dont done damn cutting changing city company coming come combining combine college climbing choose competitive choice checking cheaper charging charges charged charge compared compromised cut country customers customer current currency creep credit courtesy costs connected continuous continually continously constantly constant consolidating consider lack youre last started spouses spouse spend sorry soon something someone some so situation single significant signaling sign sick shoves shouldn start starting taking states system switching support summer success subscriptions subscription subscribers sub stupid stranger stopping stopped stop stepdad stealing stay should she sharing share rule rotating risen ripped right return retiring retired resume resubscribe restriction restrict restart respect residence reside repurposing rules run same sense shady several settled set servicio services series seen save seems see secure second scaling scales saving take talk later went weeks week we waste warrant wants wanted want waiting wait vs virtue vaccine ut using uses users well whats taste where youll years yearly year yall ya would workable work wont won without willing will wife why while use upward upping upcoming tight throughout through think things thing they these there their thats thanks thank than terrible temporary temporarily tightening times tipped unable until unneeded unnecessary unfortunately unfair unemployed under twice today trying tried tracking town tooo too told replace rent renewing newest never needed need my must multiple much moving moved move monthly month monetary moment mom mistake mind new news remarried next oneday one once on ok often offset offer off now notified nothing not nonsense nonesence non nice might merge memberships membership locations location living live little limiting limited limit life letting let lesser less legacy left learning layoff lol looking loose manservices members medical maybe may married market many making losing makes make made luck loyalty lower lost ontario opened opening political quality putting put provider profits profit profiles pricing president prescription prefer preemptively power possible por popular pop quickly
Topic 17 | Coherence=-241120.00 | Top words= you subscription for and people charge that sharing extra prices using better your to im services my youre if keep kept only gonna cheaper with reason will pay more the from out was no other want are family they fee an increase guys greed support hikes new loose just how price even something charges parents won longer one future stop have benefit expected issues profiles competitive fair drive shouldn pick because manservices what got tracking market kids bye down need cant combine households years than married aparently come another choose caring paying spouses been too between fact stranger past becoming fuel kidding frequent free forth in get keeps games garbage gas keeping justify getting joint gf join job girl forever financial forcing food especially euro learning layoff every everything expenses expensive extortion face later fan far last laid fault lack feel fees feet few fiance finally financially first fix fixed flat focused give gouging given go he health help her high into higher hike interested hiking instead history holder inflation horrible hosehold house household increments increasses increasing huge increases hungry husband idea increased ill income having havent entertaining hacked goes going gone jacking itself good gotten its improvements grandkids great it greedy issue has isnt hackednot isn is iny hacking had half hand happy intolerable hard hardly entertainment do enough being billing bill biggest biden biased biannually bf benefits begin end before became be barely bank back awhile away billings bills bit blindly cared care card cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend both automatically aunt at againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree as alarming aren apps anyways anymore any anticonsumer annually amounts amount amercian am also already almost allowed allow all caused cell change left disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter divorce doesnt damn don emails email elsewhere else eliminating el edge easily earlier each duplicate due drastically drain double dont done date dad changed constant consider connected compromised compared company coming combining college climbing climb city choice checking charging charged changing changes consolidating constantly cutting continously cut customers customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continually leave loyal legacy span states starting started start squeeze spouse spending spend sorry less soon son someone some so situation single since stay stealing stepdad stopped terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscribers subscriber sub stupid stopping significant signaling sign second scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired scaling secure sight see sick shoves should short she share shady several settled set servicio service series sense selection seen seems thank thanks thats when were went well weeks week we way waste warrant wants wanted waiting wait vs virtue value vaccine whats where uses while youll yet yearly year yall ya wouldn would worth workable work wont without willing wife why who ut users their tried tooo told today tired tipped times time tightening tight throughout through this think things thing these there town try used trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume resubscribe restriction nonesence nice next news newest never needed must multiple much moving moved move months monthly month money monetary non nonsense mom not opportunity opening opened ontario oneday once on ok often offset offered offer off of now notified nothing moment mistake options lost looking long lol locations location ll living live little limiting limited limit like life letting let lesser losing lower mind loyalty might merge memberships membership members member medical means me maybe may many making makes make made luck option or restrict reality re rather rates rate raising raises raised raise quickly quality putting put pushed provider profits profit problem reactivate really president
Topic 18 | Coherence=-228278.35 | Top words= with my subscription price has already an in more increases to the need expensive saving are between have is kids other so one putting continuous made can that into choose problem deal he or activities bf moving money dont anymore husband me everything else this increase life same stepdad cant users daughter issues at agree residence phone someone wife hikes offered financial increased personal news want be joint changed situation dad spouse getting too her budget much policy happy losing spending shoves often remarried bill used use food gas fan family get fair fact face gf extra extortion girl fault expenses give given go expected every goes even euro especially going far feel fee first for forcing flat gonna fixed forever forth fix free frequent financially focused finally from fuel future fiance few games garbage feet fees gone youre good jacking its it issue isnt isn iny intolerable interested instead inflation increments increasses increasing income improvements itself job ill join left leave learning layoff later last laid lack kidding kept keeps keeping keep justify just im if got entertaining hardly hard hand half had hacking hackednot hacked guys greedy greed great grandkids gouging gotten havent having idea health hungry huge how households household house hosehold horrible holder history hiking hike higher high help entertainment done enough being billing biggest biden biased biannually better benefits benefit begin cell before been becoming because became barely bank back billings bills bit blindly caring cared care card cannot cancelling canceling cancel bye by but business buggin broke break boyfriend both awhile away automatically alarming again after afford adicional addtional addresses additional addition adding added acct accounts account access acceptance absurd about againlater all aunt allow as aren apps aparently anyways any anticonsumer another annually and amounts amount amercian am also almost allowed caused change end deteriorated disgusts disgusting discontinue disappointed direction different differences didnt delivering changes declined decisions death days day date damn cutting divorce do doesnt don emails email elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down double less cut customers customer competitive company coming come combining combine college climbing climb city choice checking cheaper charging charges charged charge changing compared compromised currently connected current currency creep credit covid courtesy country costs cost continues continue continually continously constantly constant consolidating consider legacy loyal lesser started stranger stopping stopped stop stealing stay states starting start there squeeze spouses spend span sorry soon son something stupid sub subscriber subscribers thats thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions some single since selection seems see secure second scaling scales save run rules rule rotating rising risen rise ripped right ridiculous seen sense significant series signaling sign sight sick shouldn should short she sharing share shady several settled set servicio services service their these retiring week where when whats what were went well weeks we they way waste was warrant wants wanted waiting wait while who why will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vs virtue value trying tried tracking town tooo told today tired tipped times time tightening tight throughout through think things thing try twice vaccine two ut using uses us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retired let never nonsense nonesence non no nice next newest new needed out must multiple moved move months monthly month monetary not nothing notified now others original options option opportunity opening opened ontario only oneday once on ok offset offer off of moment mom mistake your lost loose looking longer long lol locations location ll living live little limiting limited limit like letting lower loyalty mind luck might merge memberships membership members member medical means maybe may married market many manservices making makes make our outside resume raised reality reactivate re rather rates rate raising raises raise over quickly quality put pushed provider profits profit profiles really reason recent
Topic 19 | Coherence=-233678.30 | Top words= to cut almost offer raised tried shady prices pay once your back you fact also the have just dont cancel that like price used need expenses for trying other much better as with services possible high costs on and bills climb fuel entertainment spending rise subscriptions having company continues month now rent increased per reduce months am my don games subscribers cutting gas playing due in using lesser others im summer retiring looking of activities tired medical health must enough up eliminating had out monthly unnecessary access these customers set poland far getting rectifying alarming give go future gf even every given girl garbage get euro expected everything few expensive from feet fees fiance finally financial financially first fix fixed flat going feel fee focused food fault forcing fan family forever forth fair free face frequent extra extortion goes hardly gone instead isnt isn is iny intolerable into interested inflation issues increments increasses increasing increases increase income improvements issue it gonna keeps later last laid lack kids kidding kept keeping its keep justify joint join job jacking itself ill if idea guys hard happy hand half hacking hackednot hacked greedy husband greed great grandkids gouging gotten got good has havent he help hungry huge how households household house hosehold horrible holder history hiking hikes hike higher her especially youre entertaining benefit bill biggest biden biased biannually bf between benefits being caring begin before been becoming because became be barely billing billings bit blindly care card cant cannot cancelling canceling can bye by but business buggin budget broke break boyfriend both bank awhile away all againlater again after afford adicional addtional addresses additional addition adding added acct accounts account acceptance absurd about agree allow automatically allowed aunt at aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian already cared caused end delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cell decisions death deal days day daughter date damn disgusts divorce do doesnt emails email elsewhere else el edge easily earlier each duplicate drive drastically drain down double learning done dad customer currently coming combining combine college climbing city choose choice checking cheaper charging charges charged charge changing changes changed change come compared current competitive currency creep credit covid courtesy country cost continuous continue continually continously constantly constant consolidating consider connected compromised layoff loyal leave stopping stop stepdad stealing stay states starting started start squeeze spouses spouse spend span sorry soon son something stopped stranger some stupid thanks thank than terrible temporary temporarily taste talk taking take system switching support success subscription subscriber sub someone so their sense seen seems see secure second scaling scales saving save same run rules rule rotating rising risen ripped selection series situation service single since significant signaling sign sight sick shoves shouldn should short she sharing share several settled servicio thats there ridiculous who where when whats what were went well weeks week we way waste was warrant wants wanted want while why wait wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will waiting vs they twice tracking town tooo too told today tipped times time tightening tight throughout through this think things thing try two virtue unable value vaccine ut uses users use us upward upping upcoming until unneeded unfortunately unfair unemployed understand under right return left non nice next news newest new never needed multiple moving moved move more money monetary moment mom mistake no nonesence might nonsense options option opportunity opening opened ontario only oneday one ok often offset offered off notified nothing not mind merge original losing longer long lol locations location ll living live little limiting limited limit life letting let less legacy loose lost memberships lower membership members member means me maybe may married market many manservices making makes make made luck loyalty or our retired reason reality reactivate re rather rates rate raising raises raise quickly quality putting put pushed provider profits profit really recent problem
Topic 20 | Coherence=-218719.59 | Top words= my pay to have but bill charge taste extortion disgusting youre are company not is its greedy different was subscription about it me extra subscriptions family you so that just do for ill after an card compromised because charged credit without automatically wanted told option allowed and bank today fault notified been as think day until often hacked job fair upcoming yearly waiting charging how another cost continue prefer over used workable give gf guys greed getting girl great got gouging given grandkids go goes going gone limited gonna good gotten get lesser gas face feet fees feel fee far fan fact expensive fiance expenses expected everything every even euro especially few finally garbage forever games future fuel from frequent free forth forcing financial food focused hackednot fixed fix first financially flat help hacking interested issues issue isnt isn iny intolerable into instead jacking inflation increments increasses increasing increases increased increase itself join had laid legacy left leave learning layoff later last lack joint kids kidding kept keeps keeping keep justify let income in having hike higher high her less health he havent letting has limit hardly hard happy hand half entertaining hikes hiking history improvements im if life idea husband hungry huge households household house hosehold horrible like holder entertainment doesnt enough bills billing biggest biden biased biannually bf between better benefits benefit being begin before becoming became be barely billings bit end blindly cared care cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both back awhile away aunt againlater again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd agree alarming all anticonsumer at aren apps aparently anyways anymore any annually allow amounts amount amercian am also already almost caring caused cell dad little divorce disgusts discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days daughter date don done dont easily emails email elsewhere else eliminating el edge earlier double each duplicate due drive drastically drain down damn cutting change cut compared coming come combining combine college climbing climb city choose choice checking cheaper charges changing changes changed competitive connected consider courtesy customers customer currently current currency creep covid country consolidating costs continuous continues continually continously constantly constant limiting loyal live sorry started start squeeze spouses spouse spending spend span soon states son something someone some situation single since significant starting stay terrible success temporarily talk taking take system switching support summer subscribers stealing subscriber sub stupid stranger stopping stopped stop stepdad signaling sign sight rule second scaling scales saving save same run rules rotating sick rising risen rise ripped right ridiculous return retiring secure see seems seen shoves shouldn should short she sharing share shady several settled set servicio services service series sense selection temporary than resume waste what were went well weeks week we way warrant when wants want wait vs virtue value vaccine ut whats where thank worth youll yet years year yall ya wouldn would work while wont won with willing will wife why who using uses users this tired tipped times time tightening tight throughout through things use thing they these there their the thats thanks too tooo town tracking us upward upping up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried retired resubscribe living newest nothing nonsense nonesence non no nice next news new of never needed need must multiple much moving moved now off outside opened our others other original or options opportunity opening ontario offer only oneday one once on ok offset offered move more months lost making makes make made luck loyalty your lower losing monthly loose looking longer long lol locations location ll manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may out overpriced restriction raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason own renewing restrict
Topic 21 | Coherence=-224413.84 | Top words= to back will the be this have price money and is of months for increases come need month me in budget ill not few upcoming ridiculous end don new try when stop payment move losing tight once as job again customer due return got addtional youll can laid deal off fact give never consider tightening issue continuous bye againlater else rotating wait forever get rectifying something raises throughout going history may gouging good holder account death soon feet longer week card quality are gas garbage gotten gonna gone from goes fuel future games go especially girl gf getting given fan euro even family far fair fault fee feel fees face fiance extra finally financial extortion financially grandkids first fix expensive fixed expenses flat expected focused food everything every forth free frequent forcing youre great iny jacking itself its it issues isnt isn intolerable joint into interested instead inflation increments increasses increasing join just increase later lesser less legacy left leave learning layoff last justify lack kids kidding kept keeps keeping keep increased income greed happy health he having havent has hardly hard hand her half had hacking hackednot hacked guys greedy help high improvements households im if idea husband hungry huge how household entertaining house hosehold horrible hiking hikes hike higher entertainment done enough benefit biggest biden biased biannually bf between better benefits being emails begin before been becoming because became barely bank bill billing billings bills cared care cant cannot cancelling canceling cancel by but business buggin broke break boyfriend both blindly bit awhile away automatically allow alarming agree after afford adicional addresses additional addition adding added activities acct accounts access acceptance absurd about all allowed aunt almost at aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already caring caused cell disgusts discontinue disappointed direction different differences didnt deteriorated delivering declined decisions days day daughter date damn dad cutting disgusting divorce customers do email elsewhere eliminating el edge easily earlier each duplicate drive drastically drain down double dont letting doesnt cut currently change company combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed coming compared current competitive currency creep credit covid courtesy country costs cost continues continue continually continously constantly constant consolidating connected compromised let loyal life squeeze stopped stepdad stealing stay states starting started start spouses situation spouse spending spend span sorry son someone some stopping stranger stupid sub than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber so single thanks saving selection seen seems see secure second scaling scales save since same run rules rule rising risen rise ripped sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thank that like way where whats what were went well weeks we waste vaccine was warrant wants wanted want waiting vs virtue while who why wife you yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut thats times tracking town tooo too told today tired tipped time using through think things thing they these there their tried trying twice two uses users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable right retiring retired nice offer now notified nothing nonsense nonesence non no next more news newest needed my must multiple much moving offered offset often ok outside out our others other original or options option opportunity opening opened ontario only oneday one on moved monthly resume lol luck loyalty your lower lost loose looking long locations monetary location ll living live little limiting limited limit made make makes making moment mom mistake mind might merge memberships membership members member medical means maybe married market many manservices over overpriced own raised really reality reactivate re rather rates rate raising raise owner quickly putting put pushed provider profits profit profiles reason recent recently
 46%|████▌     | 22/48 [1:01:17<1:37:53, 225.91s/it]
Topic 22 | Coherence=-224653.56 | Top words= you it the my will in time are moved can use raising prices months just as by many take last to constantly elsewhere this see business email again up subscription if later new come who opened reactivate makes but year afford someone mistake duplicate never raise only nothing subscriber start cancelling declined under restart resume being break card past rejoin biased politically son temporarily already profit changed decisions starting charges of expensive expenses especially get gf extortion gouging girl give getting got given good expected go gas goes everything gotten every going even gone euro gonna financial garbage extra fee focused flat fixed fix grandkids fault feel face fees first feet few financially fiance far food for fan family forcing forever forth free fair frequent from fuel future games finally fact youre having great income its issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased itself jacking job lack less legacy left leave learning layoff laid kids join kidding kept keeps keeping keep justify joint increase improvements greed im health he entertaining havent have has hardly hard happy hand half had hacking hackednot hacked guys greedy help her high household ill idea husband hungry huge how households house higher hosehold horrible holder history hiking hikes hike entertainment done enough been biannually bf between better benefits benefit begin before becoming end because became be barely bank back awhile away biden biggest bill billing caring cared care cant cannot canceling cancel bye buggin budget broke boyfriend both blindly bit bills billings automatically aunt at alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all aren allow apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also almost allowed caused cell change divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering death deal days day daughter date damn dad disgusts do cut doesnt emails else eliminating el edge easily earlier each due drive drastically drain down double dont let don cutting customers changes compromised compared company coming combining combine college climbing climb city choose choice checking cheaper charging charged charge changing competitive connected customer consider currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating lesser loyal letting spouse stop stepdad stealing stay states started squeeze spouses spending since spend span sorry soon something some so situation stopped stopping stranger stupid that thanks thank than terrible temporary taste talk taking system switching support summer success subscriptions subscribers sub single significant life run seems secure second scaling scales saving save same rules signaling rule rotating rising risen rise ripped right ridiculous seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service thats their there way whats what were went well weeks week we waste these was warrant wants wanted want waiting wait vs when where while why youll yet years yearly yall ya wouldn would worth workable work wont won without with willing wife virtue value vaccine try tracking town tooo too told today tired tipped times tightening tight throughout through think things thing they tried trying ut twice using uses users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand unable two return retiring retired need nonesence non no nice next news newest needed must others multiple much moving move more monthly month money nonsense not notified now original or options option opportunity opening ontario oneday one once on ok often offset offered offer off monetary moment mom your lost losing loose looking longer long lol locations location ll living live little limiting limited limit like lower loyalty mind luck might merge memberships membership members member medical means me maybe may married market manservices making make made other our resubscribe putting re rather rates rate raises raised quickly quality put out pushed provider profits profiles problem pricing price president reality really reason
Average topic coherence for the top words is -229406.58845626586
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.52it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.51it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.49it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.49it/s]
 10%|█         | 5/50 [00:00<00:08,  5.49it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.48it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.49it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.48it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.47it/s]
 20%|██        | 10/50 [00:01<00:07,  5.49it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.48it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.49it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.49it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.49it/s]
 30%|███       | 15/50 [00:02<00:06,  5.48it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.52it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.49it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.49it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.48it/s]
 40%|████      | 20/50 [00:03<00:05,  5.48it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.49it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.51it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.51it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.48it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.46it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.45it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.47it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.48it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.49it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.49it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.50it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.52it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.51it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.52it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.53it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.51it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.52it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.54it/s]
 78%|███████▊  | 39/50 [00:07<00:01,  5.53it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.55it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.54it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.55it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.53it/s]
 88%|████████▊ | 44/50 [00:07<00:01,  5.54it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.53it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.51it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.51it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.52it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.51it/s]
100%|██████████| 50/50 [00:09<00:00,  5.50it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.85it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.79it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.71it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.73it/s]
 10%|█         | 5/50 [00:00<00:06,  6.71it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.73it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.77it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.78it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.79it/s]
 20%|██        | 10/50 [00:01<00:05,  6.78it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.80it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.79it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.77it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.75it/s]
 30%|███       | 15/50 [00:02<00:05,  6.74it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.76it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.77it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.78it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.80it/s]
 40%|████      | 20/50 [00:02<00:04,  6.77it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.78it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.76it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.77it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.77it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.76it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.78it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.77it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.80it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.78it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.78it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.77it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.79it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.80it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.81it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.81it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.82it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.79it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.76it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.80it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.76it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.76it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.76it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.78it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.78it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.78it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.79it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.81it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.81it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.83it/s]
100%|██████████| 50/50 [00:07<00:00,  6.78it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.75it/s]
  4%|▍         | 2/50 [00:00<00:12,  3.70it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.68it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.68it/s]
 10%|█         | 5/50 [00:01<00:12,  3.68it/s]
 12%|█▏        | 6/50 [00:01<00:11,  3.69it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.68it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.69it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.69it/s]
 20%|██        | 10/50 [00:02<00:10,  3.68it/s]
 22%|██▏       | 11/50 [00:02<00:10,  3.68it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.68it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.66it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.64it/s]
 30%|███       | 15/50 [00:04<00:09,  3.65it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.65it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.65it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.65it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.65it/s]
 40%|████      | 20/50 [00:05<00:08,  3.65it/s]
 42%|████▏     | 21/50 [00:05<00:07,  3.64it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.65it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.64it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.66it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.65it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.67it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.66it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.66it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.67it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.67it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.66it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.64it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.63it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.64it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.63it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.64it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.65it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.68it/s]
 78%|███████▊  | 39/50 [00:10<00:02,  3.69it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.68it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.69it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.68it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.68it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.68it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.68it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.69it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.68it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.69it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.69it/s]
100%|██████████| 50/50 [00:13<00:00,  3.67it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.77it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.78it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.79it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.79it/s]
 10%|█         | 5/50 [00:01<00:16,  2.79it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.80it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.80it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.80it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.78it/s]
 20%|██        | 10/50 [00:03<00:14,  2.78it/s]
 22%|██▏       | 11/50 [00:03<00:14,  2.78it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.79it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.79it/s]
 28%|██▊       | 14/50 [00:05<00:12,  2.80it/s]
 30%|███       | 15/50 [00:05<00:12,  2.78it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.77it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.77it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.78it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.78it/s]
 40%|████      | 20/50 [00:07<00:10,  2.79it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.79it/s]
 44%|████▍     | 22/50 [00:07<00:10,  2.80it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.80it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.80it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.81it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.80it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.79it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.79it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.77it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.76it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.77it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.78it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.79it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.79it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.79it/s]
 72%|███████▏  | 36/50 [00:12<00:05,  2.80it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.79it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.80it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.80it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.80it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.80it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.80it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.80it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.79it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.77it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.78it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.78it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.78it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.79it/s]
100%|██████████| 50/50 [00:17<00:00,  2.79it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.88it/s]
  4%|▍         | 2/50 [00:01<00:25,  1.87it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.86it/s]
  8%|▊         | 4/50 [00:02<00:24,  1.86it/s]
 10%|█         | 5/50 [00:02<00:24,  1.87it/s]
 12%|█▏        | 6/50 [00:03<00:23,  1.85it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.86it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.86it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.86it/s]
 20%|██        | 10/50 [00:05<00:21,  1.86it/s]
 22%|██▏       | 11/50 [00:05<00:21,  1.85it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.85it/s]
 26%|██▌       | 13/50 [00:06<00:19,  1.85it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.85it/s]
 30%|███       | 15/50 [00:08<00:18,  1.85it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.84it/s]
 34%|███▍      | 17/50 [00:09<00:17,  1.84it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.85it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.85it/s]
 40%|████      | 20/50 [00:10<00:16,  1.85it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.86it/s]
 44%|████▍     | 22/50 [00:11<00:15,  1.86it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.86it/s]
 48%|████▊     | 24/50 [00:12<00:13,  1.86it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.86it/s]
 52%|█████▏    | 26/50 [00:14<00:12,  1.85it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.86it/s]
 56%|█████▌    | 28/50 [00:15<00:11,  1.86it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.86it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.86it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.86it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.85it/s]
 66%|██████▌   | 33/50 [00:17<00:09,  1.85it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.85it/s]
 70%|███████   | 35/50 [00:18<00:08,  1.84it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.84it/s]
 74%|███████▍  | 37/50 [00:19<00:07,  1.84it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.84it/s]
 78%|███████▊  | 39/50 [00:21<00:05,  1.85it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.85it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.86it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.86it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.85it/s]
 88%|████████▊ | 44/50 [00:23<00:03,  1.85it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.85it/s]
 92%|█████████▏| 46/50 [00:24<00:02,  1.85it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.86it/s]
 96%|█████████▌| 48/50 [00:25<00:01,  1.86it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.86it/s]
100%|██████████| 50/50 [00:26<00:00,  1.85it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.47it/s]
Topic 0 | Coherence=-235371.12 | Top words= has price subscription your too my like an many are hike the or other much entertaining consider after far company biannually in options increasing ill seems you year already increases with charging dont of prices and moving bf months newest he was one gone share member deteriorated since hikes selection so drastically anymore span need husband same stepdad canceling wife subscriptions daughter at residence before just again times next preemptively stupid where high fees rate away signaling passed virtue political spouse increased often secure what easily aunt seen than hackednot budget prescription care keeps loyal owner service gotten get more expected forth free frequent from fuel expensive future games expenses garbage extra everything gas every even euro getting especially gf entertainment girl extortion finally financial focused give financially first fiance few feet fix fixed flat feel fee fault fact food for forcing lack fan family laid forever last fair kids face is given household if idea hungry huge how households house job itself hosehold horrible holder history hiking im improvements its income increase it issues issue increasses increments inflation instead interested isnt into intolerable isn jacking higher go keeping greedy iny great grandkids gouging keep got her kept good gonna kidding going goes guys hacked justify hacking had half hand happy hard hardly joint have havent having health help join greed disgusts enough bit billings billing bill biggest biden biased between better benefits benefit being begin been becoming because became be bills blindly bank both caused caring cared card cant cannot cancelling cancel can bye by but business buggin broke break boyfriend barely back change alarming againlater afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all awhile allow automatically as aren apps aparently anyways any anticonsumer another annually amounts amount amercian am also almost allowed cell changed end divorce disgusting discontinue disappointed direction different differences didnt delivering declined decisions death deal days day date damn dad layoff do cut doesnt emails email elsewhere else eliminating el edge earlier each duplicate due drive drain down double done don cutting customers changes compromised compared coming come combining combine college climbing climb city choose choice checking cheaper charges charged charge changing competitive connected customer consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant later youre learning stranger stopped stop stealing stay states starting started start squeeze spouses spending spend sorry soon son something someone stopping sub situation subscriber thats that thanks thank terrible temporary temporarily taste talk taking take system switching support summer success subscribers some single there scaling saving save run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe scales second significant see sign sight sick shoves shouldn should short she sharing shady several settled set servicio services series sense their these leave when were went well weeks week we way waste warrant wants wanted want waiting wait vs value vaccine whats while using who youll yet years yearly yall ya wouldn would worth workable work wont won without willing will why ut uses they try tracking town tooo told today to tired tipped time tightening tight throughout through this think things thing tried trying users twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two restriction restrict restart no news new never needed must multiple moved move monthly month money monetary moment mom mistake mind might nice non memberships nonesence opening opened ontario only oneday once on ok offset offered offer off now notified nothing not nonsense merge membership respect longer lol locations location ll living live little limiting limited limit life letting let lesser less legacy left long looking members loose medical means me maybe may married market manservices making makes make made luck loyalty lower lost losing opportunity option original re rates raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing president rather reactivate
Topic 1 | Coherence=-232783.48 | Top words= to dont you money need that like cancel raised so and save shady once guys almost fact services tried pay it offer used some also your are subscriptions not time prices put use do much needed other decisions doesnt making sense well expensive resubscribe as good make forth why business raising trying want when have customer compared others only switching at into success issues stop financial we financially hard just never enough unemployed household having expenses right often times users cut cant food longer coming gas even garbage get gf euro getting especially girl give given entertainment entertaining go end goes going every forever games fix fault fan fee family fair feel fees feet few fiance finally gone face fixed future flat extra focused extortion for forcing far free frequent from fuel expected everything first hardly gonna inflation isnt isn is iny intolerable interested instead increments its increasses increasing increases increased increase income in issue itself im kidding learning layoff later last laid lack kids kept jacking keeps keeping keep justify joint join job improvements ill got hacking havent has email happy hand half had hackednot health hacked greedy greed great grandkids gouging gotten he help if hosehold idea husband hungry huge how households house horrible her holder history hiking hikes hike higher high emails youre elsewhere begin biased biannually bf between better benefits benefit being before away been becoming because became be barely bank back biden biggest bill billing cannot cancelling canceling can bye by but buggin budget broke break boyfriend both blindly bit bills billings awhile automatically care adding again after afford adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about againlater agree alarming all aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am already allowed allow card cared else deal direction different differences didnt deteriorated delivering declined death days currency day daughter date damn dad cutting customers currently disappointed discontinue disgusting left eliminating el edge easily earlier each duplicate due drive drastically drain down double done don divorce disgusts current creep caring charging college climbing climb city choose choice checking cheaper charges credit charged charge changing changes changed change cell caused combine combining come company covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive leave loyal legacy spend states starting started start squeeze spouses spouse spending span less sorry soon son something someone situation single since stay stealing stepdad stopped terrible temporary temporarily taste talk taking take system support summer subscription subscribers subscriber sub stupid stranger stopping significant signaling sign second scales saving same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume restriction scaling secure sight see sick shoves shouldn should short she sharing share several settled set servicio service series selection seen seems than thank thanks who where whats what were went weeks week way waste was warrant wants wanted waiting wait vs virtue while wife vaccine will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut thats tooo told today tired tipped tightening tight throughout through this think things thing they these there their the too town using tracking uses us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable two twice try restrict restart respect non nice next news newest new my must multiple moving moved move more months monthly month monetary moment no nonesence mistake nonsense options option opportunity opening opened ontario oneday one on ok offset offered off of now notified nothing mom mind original lost loose looking long lol locations location ll living live little limiting limited limit life letting let lesser losing lower might loyalty merge memberships membership members member medical means me maybe may married market many manservices makes made luck or our residence re rates rate raises raise quickly quality putting pushed provider profits profit profiles problem pricing price president prescription rather reactivate preemptively
Topic 2 | Coherence=-235027.67 | Top words= and increase price for to sharing the just profiles you charge is greedy profit after starting raising additional last year prices that pay from of people hikes hike what with too want up they was guys should because down stop cost keep much future issues something newest cant be expected quality this rise addition competitive shouldn drive market other manservices pick fuel entertainment blindly on has having half stopping costs got cut charged gone talk made went paying month many garbage terrible upping customer day annually fact unable until living waiting being original gf drastically why forever creep summer others bye face extortion expensive extra food expenses everything gas games getting every even euro girl especially entertaining get fan fair family focused flat fixed fix forth given first free financially frequent financial finally fiance few feet fees feel fee fault far forcing give youre go increasses iny intolerable into interested instead inflation increments increasing goes increases increased income in improvements im ill isn isnt issue it later laid lack kids kidding kept keeps keeping justify joint join job jacking itself its if idea husband have hard enough hand had hacking hackednot hacked greed great grandkids gouging gotten good gonna going hardly havent hungry he huge how households household house hosehold horrible holder history hiking higher high her help health happy discontinue end biggest biased biannually bf between better benefits benefit begin before been becoming became barely bank back awhile away biden bill aunt billing cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend both bit bills billings automatically at care all agree againlater again afford adicional addtional addresses adding added activities acct accounts account access acceptance absurd about alarming allow as allowed aren are apps aparently anyways anymore any anticonsumer another an amounts amount amercian am also already almost card cared emails disgusts learning disappointed direction different differences didnt deteriorated delivering declined decisions death deal days daughter date damn dad disgusting divorce customers do email elsewhere else eliminating el edge easily earlier each duplicate due drain double dont done don doesnt cutting currently caring come combine college climbing climb city choose choice checking cheaper charging charges changing changes changed change cell caused combining coming current company currency credit covid courtesy country continuous continues continue continually continously constantly constant consolidating consider connected compromised compared layoff loyal leave start spouses spouse spending spend span sorry soon son someone some so situation single since significant signaling sign squeeze started sick states taking take system switching support success subscriptions subscription subscribers subscriber sub stupid stranger stopped stepdad stealing stay sight shoves temporarily saving same run rules rule rotating rising risen ripped right ridiculous return retiring retired resume resubscribe restriction restrict save scales short scaling she share shady several settled set servicio services service series sense selection seen seems see secure second taste temporary respect where whats were well weeks week we way waste warrant wants wanted wait vs virtue value vaccine ut when while uses who youll yet years yearly yall ya wouldn would worth workable work wont won without willing will wife using users than told tired tipped times time tightening tight throughout through think things thing these there their thats thanks thank today tooo used town use us upward upcoming unneeded unnecessary unfortunately unfair unemployed understand under two twice trying try tried tracking restart residence left news never needed need my must multiple moving moved move more months monthly money monetary moment mom mistake new next might nice oneday one once ok often offset offered offer off now notified nothing not nonsense nonesence non no mind merge ontario looking long lol locations location ll live little limiting limited limit like life letting let lesser less legacy longer loose memberships losing membership members member medical means me maybe may married making makes make luck loyalty your lower lost only opened reside rather rate raises raised raise quickly putting put pushed provider profits problem pricing president prescription prefer preemptively power rates re por
Topic 3 | Coherence=-235233.92 | Top words= price and is increases of to more with subscription money your go too can prices saving the deal this up be problem continuous paying sharing need do as service not terrible reality even charges acceptance people pricing continue squeeze keep yet try lack you that change out time quality away garbage why less creep constant passed changes done ridiculous opened sick being amount policy owner duplicate short before mistake continues spending fix hacked hard enough off lol ripped reflect billing by throughout raises history cheaper gouging raise two person buggin recent agree new fact horrible expected through opportunity becoming fault flat fixed gas first financially financial far forth give euro fiance get few getting gf feet girl fee finally every fan fees extra forever free face forcing for extortion expensive frequent from fuel food focused expenses future games fair family everything feel youre given husband iny intolerable into interested instead inflation increments increasses increasing increased increase income in improvements im ill if isn isnt issue justify last laid kids kidding kept keeps keeping just issues joint join job jacking itself its it idea hungry goes huge happy hand half especially hacking hackednot guys greedy greed great grandkids gotten got good gonna gone going hardly has have hikes how households household house hosehold holder hiking hike havent higher high her help health he having had doesnt entertainment bill biden biased biannually bf between better benefits benefit begin been because became barely bank back awhile automatically biggest billings caring bills care card cant cannot cancelling canceling cancel bye but business budget broke break boyfriend both blindly bit aunt at aren are again after afford adicional addtional addresses additional addition adding added activities acct accounts account access absurd about againlater alarming all annually apps aparently anyways anymore any anticonsumer another an allow amounts amercian am also already almost allowed cared caused entertaining layoff disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death days day daughter date divorce don cell dont end emails email elsewhere else eliminating el edge easily earlier each due drive drastically drain down double damn dad cutting cut company coming come combining combine college climbing climb city choose choice checking charging charged charge changing changed compared competitive compromised courtesy customers customer currently current currency credit covid country connected costs cost continually continously constantly consolidating consider later loyal learning stopping stop stepdad stealing stay states starting started start spouses spouse spend span sorry soon son something someone stopped stranger so stupid thank than temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub some situation resume seen see secure second scaling scales save same run rules rule rotating rising risen rise right return retiring seems selection single sense since significant signaling sign sight shoves shouldn should she share shady several settled set servicio services series thanks thats their where whats what were went well weeks week we way waste was warrant wants wanted want waiting wait when while there who youll years yearly year yall ya wouldn would worth workable work wont won without willing will wife vs virtue value vaccine trying tried tracking town tooo told today tired tipped times tightening tight think things thing they these twice unable under upward ut using uses users used use us upping understand upcoming until unneeded unnecessary unfortunately unfair unemployed retired resubscribe leave newest needed my must multiple much moving moved move months monthly month monetary moment mom mind might merge never news membership next oneday one once on ok often offset offered offer now notified nothing nonsense nonesence non no nice memberships members restriction looking long locations location ll living live little limiting limited limit like life letting let lesser legacy left longer loose member losing medical means me maybe may married market many manservices making makes make made luck loyalty lower lost only ontario opening reactivate rather rates rate raising raised quickly putting put pushed provider profits profit profiles president prescription prefer preemptively re really
Topic 4 | Coherence=-230196.80 | Top words= you extra share of money the with my charging that want out like because to using me family when outside greedy cant are bill about idea power limit states over without stay grandkids hikes not years news few also past rates others don same thing do than who higher service newest work at am provider through hike moment connected hosehold putting barely hungry temporary company continue down disgusts care passed or value ill right give goes girl given even gf go getting fixed gone fault far going fee gonna good euro especially got gotten fan entertainment fair entertaining fact feel get financially fix focused extortion gouging food for first expensive forcing forever forth free expenses frequent from every financial expected everything finally fuel fiance future games face feet fees garbage flat gas youre havent great isn jacking itself its it issues issue isnt is join iny intolerable into interested instead inflation increments job joint greed laid legacy left leave learning layoff later last lack just kids kidding kept keeps keeping keep justify increasses increasing increases hard health he having end have has hardly happy increased hand half had hacking hackednot hacked guys help her high hiking increase income in improvements im if husband huge how households household house horrible holder history enough doesnt emails being biden biased biannually bf between better benefits benefit begin automatically before been becoming became be bank back awhile biggest billing billings bills cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit away aunt cared addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts account access acceptance absurd agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian already almost allowed card caring email death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting divorce elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain double dont done lesser customers currently caused checking combining combine college climbing climb city choose choice cheaper current charges charged charge changing changes changed change cell come coming compared competitive currency creep credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider compromised less loyal let spend stealing starting started start squeeze spouses spouse spending span thank sorry soon son something someone some so situation stepdad stop stopped stopping temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger single since significant seems secure second scaling scales saving save run rules rule rotating rising risen rise ripped ridiculous return retiring see seen signaling selection sign sight sick shoves shouldn should short she sharing shady several settled set servicio services series sense terrible thanks resume warrant went well weeks week we way waste was wants thats wanted waiting wait vs virtue vaccine ut uses were what whats where youll yet yearly year yall ya wouldn would worth workable wont won willing will wife why while users used use town too told today tired tipped times time tightening tight throughout this think things they these there their tooo tracking us tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try retired resubscribe letting must non no nice next new never needed need multiple original much moving moved move more months monthly month nonesence nonsense nothing notified option opportunity opening opened ontario only oneday one once on ok often offset offered offer off now monetary mom mistake loyalty lower lost losing loose looking longer long lol locations location ll living live little limiting limited life your luck mind made might merge memberships membership members member medical means maybe may married market many manservices making makes make options other restriction raise reality reactivate re rather rate raising raises raised quickly our quality put pushed profits profit profiles problem pricing really reason recent
Topic 5 | Coherence=-226160.66 | Top words= be back to will and of my on different subscription in break need taking payment use month money ll can we end live two when just move ill subscriptions got won laid both addresses able off change bit too with else saving time payday own come everything double emails something rotating next same spending divorce using im repurposing broke feet already changed elsewhere might week monetary take life cutting future switching soon summer many for rise dont date entertainment opening amercian few layoff financial had canceling good extra anticonsumer accounts goes hand go happy againlater hard half hardly greed gone going great gonna again hacking gotten after hackednot hacked given grandkids guys greedy gouging gf agree feel fix first financially finally fiance fees fee flat fault far fan family fair fact fixed focused give games girl have getting get gas garbage fuel food from frequent free forth forever forcing has high havent isnt job jacking itself its it issues issue isn increasses is iny intolerable into interested instead inflation join joint access justify left leave learning later last about absurd acceptance lack kids kidding kept keeps keeping keep increments increasing afford hike additional hosehold horrible holder history hiking hikes higher increases addtional adicional her help health he having house household households how increased increase income account acct improvements activities added if idea husband hungry adding addition huge face aunt extortion cared changes an cell annually another caused caring care but card cant cannot cancelling cancel any bye changing charge charged charges company coming amount combining amounts combine college climbing climb city choose choice checking cheaper charging by business competitive becoming benefits benefit being begin aren before been because buggin became as barely bank at awhile away better between bf are budget anymore boyfriend anyways blindly aparently bills billings billing apps bill biggest biden biased biannually compared compromised expensive almost each duplicate due drive drastically drain down done direction don doesnt do less disgusts disgusting discontinue earlier easily edge el expenses expected alarming every even euro especially automatically entertaining enough all allow email allowed eliminating disappointed differences connected continuous creep credit covid courtesy country costs cost continues didnt continue continually continously constantly constant consolidating consider currency current currently customer also deteriorated delivering declined decisions am death deal days day daughter damn dad cut customers legacy youre lesser spend stay states starting started start squeeze spouses spouse span thats sorry son someone some so situation single since stealing stepdad stop stopped thanks thank than terrible temporary temporarily taste talk system support success subscribers subscriber sub stupid stranger stopping significant signaling sign seems secure second scaling scales save run rules rule rising risen ripped right ridiculous return retiring retired resume see seen sight selection sick shoves shouldn should short she sharing share shady several settled set servicio services service series sense that the restriction was whats what were went well weeks way waste warrant their wants wanted want waiting wait vs virtue value where while who why youll you yet years yearly year yall ya wouldn would worth workable work wont without willing wife vaccine ut uses tracking tooo told today tired tipped times tightening tight throughout through this think things thing they these there town tried users try used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying resubscribe restrict let new not nonsense nonesence non no nice news newest never out needed must multiple much moving moved more months nothing notified now offer others other original or options option opportunity opened ontario only oneday one once ok often offset offered monthly moment mom loyalty lower lost losing loose looking longer long lol locations location living little limiting limited limit like letting your luck mistake made mind merge memberships membership members member medical means me maybe may married market manservices making makes make our outside restart quality rather rates rate raising raises raised raise quickly putting over put pushed provider profits profit profiles problem pricing re reactivate reality
Topic 6 | Coherence=-225206.79 | Top words= the to price not for be me of will worth increase enough way used extra raised over currently fan charging increases is has high country want months moved long now budget out years currency while again renewing changed location my different current return spending pushed againlater edge start tightening us town tried there in agree month happy tired business increasing shady becoming situation financial isn even caused didnt let taking times anymore more second days all isnt raise leave first getting gf everything expected gas get garbage games expenses every euro girl fuel give given go goes going gone especially gonna entertainment entertaining good future expensive from feel fix fixed flat finally focused fiance food few feet forcing fees fee financially forever fault forth far free family fair fact face frequent extortion got youre gotten intolerable jacking itself its it issues issue iny into join interested instead inflation increments increasses increased income job joint im laid less legacy left learning layoff later last lack just kids kidding kept keeps keeping keep justify improvements ill gouging had having havent have hardly hard hand half hacking health hackednot hacked guys greedy greed great grandkids end help if house idea husband hungry huge how households household hosehold her horrible holder history hiking hikes hike higher he do emails begin biased biannually bf between better benefits benefit being before email been because became barely bank back awhile away biden biggest bill billing cannot cancelling canceling cancel can bye by but buggin broke break boyfriend both blindly bit bills billings automatically aunt at allow after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about alarming allowed as almost aren are apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also already cant card care disgusts discontinue disappointed direction differences deteriorated delivering declined decisions death deal day daughter date damn dad cutting cut disgusting divorce customer doesnt elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down double dont done don customers creep cared come combine college climbing climb city choose choice checking cheaper charges charged charge changing changes change cell caring combining coming credit company covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared lesser loyal letting spend stealing stay states starting started squeeze spouses spouse span significant sorry soon son something someone some so single stepdad stop stopped stopping temporary temporarily taste talk take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger since signaling resubscribe rule secure scaling scales saving save same run rules rotating sign rising risen rise ripped right ridiculous retiring retired see seems seen selection sight sick shoves shouldn should short she sharing share several settled set servicio services service series sense terrible than thank waste whats what were went well weeks week we was thanks warrant wants wanted waiting wait vs virtue value when where who why youll you yet yearly year yall ya wouldn would workable work wont won without with willing wife vaccine ut using tracking too told today tipped time tight throughout through this think things thing they these their thats that tooo try uses trying users use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume restriction life new nonsense nonesence non no nice next news newest never monetary needed need must multiple much moving move monthly nothing notified off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered money moment restrict lol loyalty your lower lost losing loose looking longer locations mom ll living live little limiting limited limit like luck made make makes mistake mind might merge memberships membership members member medical means maybe may married market many manservices making other others our putting re rather rates rate raising raises quickly quality put outside provider profits profit profiles problem pricing prices president reactivate reality really
Topic 7 | Coherence=-223688.84 | Top words= have and money this the in for me back is few price months or once tight budget keep ill customer on come expensive try putting made stop other between been into years from already activities to new addtional choose youll one havent yall because stealing upcoming increases since kids as earlier oneday sorry has up went now wait fee due losing return job right fuel having month household two out many amercian being may needed gas get getting garbage got gf girl grandkids give given go games gouging goes gotten going gone gonna good youre fix future expenses fan family fair fact face extra extortion expected frequent everything every even euro especially entertainment entertaining far fault feel fees free forth forever forcing food focused flat fixed greed first financially financial finally fiance feet great her greedy increasing join jacking itself its it issues issue isnt isn iny intolerable interested instead inflation increments joint just justify layoff lesser less legacy left leave learning later keeping last laid lack kidding kept keeps increasses increased guys increase higher high end help health he hardly hard happy hand half had hacking hackednot hacked hike hikes hiking hungry income improvements im if idea husband huge history how households house hosehold horrible holder enough done emails better billings billing bill biggest biden biased biannually bf benefits bit benefit begin before becoming became be barely bank bills blindly email cancel caring cared care card cant cannot cancelling canceling can both bye by but business buggin broke break boyfriend awhile away automatically addition agree againlater again after afford adicional addresses additional adding aunt added acct accounts account access acceptance absurd about alarming all allow allowed at aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount am also almost caused cell change declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusting disgusts divorce do elsewhere else eliminating el edge easily each duplicate drive drastically drain down double dont letting don doesnt cutting customers changed city compared company coming combining combine college climbing climb choice currently checking cheaper charging charges charged charge changing changes competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating let loyal life spouses stopped stepdad stay states starting started start squeeze spouse situation spending spend span soon son something someone some stopping stranger stupid sub than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber so single thanks save seen seems see secure second scaling scales saving same significant run rules rule rotating rising risen rise ripped selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thank that like way when whats what were well weeks week we waste vaccine was warrant wants wanted want waiting vs virtue where while who why you yet yearly year ya wouldn would worth workable work wont won without with willing will wife value ut thats tightening tooo too told today tired tipped times time throughout using through think things thing they these there their town tracking tried trying uses users used use us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under unable twice ridiculous retiring retired next notified nothing not nonsense nonesence non no nice news move newest never need my must multiple much moving of off offer offered own overpriced over outside our others original options option opportunity opening opened ontario only ok often offset moved more resume lol loyalty your lower lost loose looking longer long locations monthly location ll living live little limiting limited limit luck make makes making monetary moment mom mistake mind might merge memberships membership members member medical means maybe married market manservices owner owning pagos raising reason really reality reactivate re rather rates rate raises parent raised raise quickly quality put pushed provider profits recent recently recession
Topic 8 | Coherence=-226758.93 | Top words= to you your charge re my for going and when me daughter thank anyways it college ut uses no worth she is sign in not that about extra will kids more year live unfair intolerable another rate city months was amount cancel times be started this each increasses offset the profits hacked allow today raising keeps subscription someone notified kidding declined fault sharing family acct platforms prefer hacking other caring country coming short good future gone enough gonna goes fuel go got games entertaining given garbage gas give girl gf gotten get getting focused from feet feel fee far fan euro fair fact face extortion expensive even expenses expected everything every fees few frequent fiance free forth forever entertainment forcing especially food flat fixed fix first gouging financially financial finally youre health grandkids into itself its issues issue isnt isn iny interested job instead inflation increments increasing increases increased increase jacking join improvements later lesser less legacy left leave learning layoff last joint laid lack kept keeping keep justify just income im great hard emails he having havent have has hardly happy her hand half had hackednot guys greedy greed help high ill household if idea husband hungry huge how households house higher hosehold horrible holder history hiking hikes hike end do email benefit biggest biden biased biannually bf between better benefits being awhile begin before been becoming because became barely bank bill billing billings bills cant cannot cancelling canceling can bye by but business buggin budget broke break boyfriend both blindly bit back away elsewhere additional agree againlater again after afford adicional addtional addresses addition automatically adding added activities accounts account access acceptance absurd alarming all allowed almost aunt at as aren are apps aparently anymore any anticonsumer annually an amounts amercian am also already card care cared decisions discontinue disappointed direction different differences didnt deteriorated delivering death caused deal days day date damn dad cutting cut disgusting disgusts divorce letting else eliminating el edge easily earlier duplicate due drive drastically drain down double dont done don doesnt customers customer currently compared come combining combine climbing climb choose choice checking cheaper charging charges charged changing changes changed change cell company competitive current compromised currency creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected let loyal life spending stealing stay states starting start squeeze spouses spouse spend since span sorry soon son something some so situation stepdad stop stopped stopping temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger single significant resubscribe rotating scaling scales saving save same run rules rule rising signaling risen rise ripped right ridiculous return retiring retired second secure see seems sight sick shoves shouldn should share shady several settled set servicio services service series sense selection seen terrible than thanks waste what were went well weeks week we way warrant thats wants wanted want waiting wait vs virtue value whats where while who youll yet years yearly yall ya wouldn would workable work wont won without with willing wife why vaccine using users tracking tooo too told tired tipped time tightening tight throughout through think things thing they these there their town tried used try use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying resume restriction like never nonsense nonesence non nice next news newest new needed money need must multiple much moving moved move monthly nothing now of off original or options option opportunity opening opened ontario only oneday one once on ok often offered offer month monetary restrict long luck loyalty lower lost losing loose looking longer lol moment locations location ll living little limiting limited limit made make makes making mom mistake mind might merge memberships membership members member medical means maybe may married market many manservices others our out putting reactivate rather rates raises raised raise quickly quality put outside pushed provider profit profiles problem pricing prices price reality really reason
Topic 9 | Coherence=-225410.27 | Top words= to price the have and increases ridiculous change we different pay where upcoming use cut locations is will anticonsumer fee in my due just subscription greedy need back month prices job constant losing expenses don high are of for almost gotten increased trying per times rent costs bills gas date lost weeks anymore discontinue several looking these retiring piracy must account membership vaccine holder death get service greed monthly eliminating redo medical quality afford addition go face using lol time down bye expensive everything garbage games future expected girl getting gf fuel every give even given goes euro especially going gone gonna extortion finally from frequent financial financially fiance first few feet fees feel fix fixed flat focused fault far fan food family forcing fair forever fact forth extra good free youre her got gouging jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing join joint justify later lesser less legacy left leave learning layoff last keep laid lack kids kidding kept keeps keeping increase income improvements hand he having havent has hardly hard happy half help had hacking hackednot hacked guys great grandkids health entertaining im households ill if idea husband hungry huge how household higher house hosehold horrible history hiking hikes hike entertainment dont enough benefit biggest biden biased biannually bf between better benefits being end begin before been becoming because became be barely bill billing billings bit card cant cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend both blindly bank awhile away all agree againlater again after adicional addtional addresses additional adding added activities acct accounts access acceptance absurd about alarming allow automatically allowed aunt at as aren apps aparently anyways any another annually an amounts amount amercian am also already care cared caring disgusts disappointed direction differences didnt deteriorated delivering declined decisions deal days day daughter damn dad cutting customers customer disgusting divorce current do emails email elsewhere else el edge easily earlier each duplicate drive drastically drain double letting done doesnt currently currency caused come combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed cell combining coming creep company credit covid courtesy country cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared let loyal life squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger stupid than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub someone so right saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series services servicio single since significant signaling sign sight sick shoves shouldn should short she sharing share shady settled set thank thanks that way while when whats what were went well week waste thats was warrant wants wanted want waiting wait vs who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue value ut tracking tooo too told today tired tipped tightening tight throughout through this think things thing they there their town tried uses try users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ripped return like no off now notified nothing not nonsense nonesence non nice moved next news newest new never needed multiple much offer offered offset often our others other original or options option opportunity opening opened ontario only oneday one once on ok moving move retired longer makes make made luck loyalty your lower loose long more location ll living live little limiting limited limit making manservices many market months money monetary moment mom mistake mind might merge memberships members member means me maybe may married out outside over raises really reality reactivate re rather rates rate raising raised overpriced raise quickly putting put pushed provider profits profit reason recent recently
Topic 10 | Coherence=-237729.51 | Top words= subscription and extra you charge for im people youre if using better cheaper gonna reason kept raising the so services other prices with are keep out my now only was your charging sharing it that family no increase will an bye more pay won support longer recent limited of parents fee talk greed news currently dad phone sub offered saving disappointed another someone business replace loose reside fair husband joint kids lost hacking over spouses me policies too significant piracy garbage gas get entertainment even goes go especially getting enough gf girl given entertaining give euro fan games fiance first financially expensive financial extortion finally face every few feet fees feel fact fault going fix fixed flat focused expenses expected food everything forcing forever forth free far from fuel future frequent had gone increments is iny intolerable into interested instead inflation increasses isnt increasing increases increased income in improvements ill isn issue good keeps learning layoff later last laid lack kidding keeping issues justify just join job jacking itself its idea hungry huge hackednot has hardly hard happy hand half emails hacked how guys greedy great grandkids gouging gotten got have havent having he households household house hosehold horrible holder history hiking hikes hike higher high her help health end double email before biased biannually bf between benefits benefit being begin been biggest becoming because became be barely bank back awhile biden bill automatically buggin cant cannot cancelling canceling cancel can by but budget billing broke break boyfriend both blindly bit bills billings away aunt care adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at annually as aren apps aparently anyways anymore any anticonsumer amounts all amount amercian am also already almost allowed allow card cared elsewhere decisions discontinue direction different differences didnt deteriorated delivering declined death disgusts deal days day daughter date damn cutting cut disgusting divorce customer due else eliminating el edge easily earlier each duplicate drive do drastically drain down left dont done don doesnt customers current caring choice come combining combine college climbing climb city choose checking company charges charged changing changes changed change cell caused coming compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised leave loyal legacy starting stranger stopping stopped stop stepdad stealing stay states started ridiculous start squeeze spouse spending spend span sorry soon stupid subscriber subscribers subscriptions these there their thats thanks thank than terrible temporary temporarily taste taking take system switching summer success son something some sense seen seems see secure second scaling scales save same run rules rule rotating rising risen rise ripped selection series situation service single since signaling sign sight sick shoves shouldn should short she share shady several settled set servicio they thing things where whats what were went well weeks week we way waste warrant wants wanted want waiting wait vs when while value who youll yet years yearly year yall ya wouldn would worth workable work wont without willing wife why virtue vaccine think twice try tried tracking town tooo told today to tired tipped times time tightening tight throughout through this trying two ut unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under right return less multiple nice next newest new never needed need must much retiring moving moved move months monthly month money monetary non nonesence nonsense not options option opportunity opening opened ontario oneday one once on ok often offset offer off notified nothing moment mom mistake loyalty losing looking long lol locations location ll living live little limiting limit like life letting let lesser lower luck mind made might merge memberships membership members member medical means maybe may married market many manservices making makes make or original others recently reality reactivate re rather rates rate raises raised raise quickly quality putting put pushed provider profits profit really recession problem
Topic 11 | Coherence=-230130.55 | Top words= too for it expensive is prices going now much and keep not many the worth me service price new no anymore charges unfortunately upward bye are way raised added don getting cost everything keeps rules vs up rising else stupid life isnt given right offered different rule its maybe later longer amount want itself gotten thanks nonsense never second on cant what increased whats changing benefits paying be becoming hikes my overpriced biannually tooo others or entertaining few done ya quickly support replace save lol improvements just fixed flat justify fix first focused financially food income forcing forever forth free financial from fuel future games garbage gas get joint join gf frequent keeping finally fiance leave entertainment especially euro even every learning expected layoff expenses last extortion extra face fact fair family fan far fault laid lack fee kids kidding kept feel fees feet girl good give increasing her intolerable into high interested instead inflation higher hike increments hiking history holder increasses horrible help hosehold house household increases households how huge hungry husband idea if ill im in iny health job hackednot go goes jacking gone gonna increase got gouging grandkids great greed greedy guys hacked hacking he had half issues hand happy hard hardly has issue have havent having isn end enough youre emails being bill biggest biden biased bf between better benefit begin billings before been because became barely bank back awhile billing bills email by cared care card cannot cancelling canceling cancel can but bit business buggin budget broke break boyfriend both blindly away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at activities acct accounts account access acceptance absurd about agree alarming all allow as aren apps aparently anyways any anticonsumer another annually an amounts amercian am also already almost allowed caring caused cell decisions discontinue disappointed direction differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting disgusting disgusts divorce do elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down double dont legacy doesnt cut customer change city company coming come combining combine college climbing climb choose currently choice checking cheaper charging charged charge changes changed compared competitive compromised connected current currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider left loyal less squeeze stop stepdad stealing stay states starting started start spouses retired spouse spending spend span sorry soon son something stopped stopping stranger sub thank than terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscription subscribers subscriber someone some so services sense selection seen seems see secure scaling scales saving same run rotating risen rise ripped ridiculous return series servicio situation set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled that thats their who where when were went well weeks week we waste was warrant wants wanted waiting wait virtue value while why ut wife youll you yet years yearly year yall wouldn would workable work wont won without with willing will vaccine using there tracking told today to tired tipped times time tightening tight throughout through this think things thing they these town tried uses try users used use us upping upcoming until unneeded unnecessary unfair unemployed understand under unable two twice trying retiring resume lesser must nonesence non nice next news newest needed need multiple resubscribe moving moved move more months monthly month money nothing notified of off our other original options option opportunity opening opened ontario only oneday one once ok often offset offer monetary moment mom your lost losing loose looking long locations location ll living live little limiting limited limit like letting let lower loyalty mistake luck mind might merge memberships membership members member medical means may married market manservices making makes make made out outside over reason reality reactivate re rather rates rate raising raises raise quality putting put pushed provider profits profit profiles really recent pricing
Topic 12 | Coherence=-231622.34 | Top words= you this it to if only that with me are in not again good the up prices greedy of bye re want enough will other being consider months for need my come fact email understand means begin give issue rectifying were reactivate cared wouldn hiking never forever paying us leave what ll moved high makes keep back when about before take first has start just things care who is someone every opportunity subscriber no son support at already won and family days covid broke raised jacking may rising horrible poland but isn edge one married financially increments fix financial lack fixed intolerable flat focused food laid forcing issues forth finally frequent from fuel future games garbage increasses gas get kids getting gf free feet fiance few learning entertaining entertainment especially layoff euro instead even interested everything expected expenses expensive extortion extra face later fair into last fan far fault fee feel fees kidding girl go given isnt have havent iny having justify idea he husband health help hungry joint her huge its higher how hike hikes join households household job history holder house hosehold itself ill hardly hard happy goes going gone kept gonna keeps got gotten gouging grandkids increasing keeping increases great increased greed increase guys inflation income hackednot improvements hacking had im half hand hacked youre end benefits bill biggest biden biased biannually bf between better benefit change been becoming because became be barely bank awhile billing billings bills bit caused caring card cant cannot cancelling canceling cancel can by business buggin budget break boyfriend both blindly away automatically aunt alarming againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd agree all as allow aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also almost allowed cell changed emails delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined changes decisions death deal day daughter date damn dad disgusts divorce left doesnt elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down double dont done don cutting cut customers competitive company coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing compared compromised customer connected currently current currency creep credit courtesy country costs cost continuous continues continue continually continously constantly constant consolidating do loyal legacy sorry starting started squeeze spouses spouse spending spend span soon less something some so situation single since significant signaling states stay stealing stepdad temporarily taste talk taking system switching summer success subscriptions subscription subscribers sub stupid stranger stopping stopped stop sign sight sick secure scaling scales saving save same run rules rule rotating risen rise ripped right ridiculous return retiring retired second see shoves seems shouldn should short she sharing share shady several settled set servicio services service series sense selection seen temporary terrible than went weeks week we way waste was warrant wants wanted waiting wait vs virtue value vaccine ut using well whats users where youll yet years yearly year yall ya would worth workable work wont without willing wife why while uses used thank too today tired tipped times time tightening tight throughout through think thing they these there their thats thanks told tooo use town upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking resume resubscribe restriction nonsense non nice next news newest new needed must multiple much moving move more monthly month money monetary nonesence nothing mom notified original or options option opening opened ontario oneday once on ok often offset offered offer off now moment mistake our losing looking longer long lol locations location living live little limiting limited limit like life letting let lesser loose lost mind lower might merge memberships membership members member medical maybe market many manservices making make made luck loyalty your others out restrict reality rates rate raising raises raise quickly quality putting put pushed provider profits profit profiles problem pricing price rather really prescription
Topic 13 | Coherence=-228578.64 | Top words= it my can the time this as you afford use too now in at many have months much just by but not was for using right am last possible moved see trying with has continues job think lost is willing being high rise sight start reduce again used been cost stranger spending way cut bills options no business risen apps subscription rising quickly interested free end second raising constantly happy broke flat lol made makes expensive won twice had other give frequent gone gf girl from going getting gas goes get fuel future games garbage go given youre forth everything fair fact face extra extortion expenses expected every fan even euro especially entertainment entertaining enough emails family far forever good forcing food focused fixed fix first financially financial fault finally fiance few feet fees feel fee gonna her got instead issues issue isnt isn iny intolerable into inflation im increments increasses increasing increases increased increase income its itself jacking join left leave learning layoff later laid lack kids kidding kept keeps keeping keep justify joint improvements ill gotten hacking he having havent hardly hard hand half hackednot if hacked guys greedy greed great grandkids gouging health help elsewhere higher idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike email disgusting else begin biden biased biannually bf between better benefits benefit before eliminating becoming because became be barely bank back awhile biggest bill billing billings caring cared care card cant cannot cancelling canceling cancel bye buggin budget break boyfriend both blindly bit away automatically aunt alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all aren allow are aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost allowed caused cell change less disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad discontinue disgusts customers divorce el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt do cutting customer changed company come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes coming compared currently competitive current currency creep credit covid courtesy country costs continuous continue continually continously constant consolidating consider connected compromised legacy loyal lesser span stay states starting started squeeze spouses spouse spend sorry than soon son something someone some so situation single stealing stepdad stop stopped temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stopping since significant signaling seems scaling scales saving save same run rules rule rotating ripped ridiculous return retiring retired resume resubscribe restriction secure seen sign selection sick shoves shouldn should short she sharing share shady several settled set servicio services service series sense terrible thank restart waste whats what were went well weeks week we warrant thanks wants wanted want waiting wait vs virtue value when where while who youll yet years yearly year yall ya wouldn would worth workable work wont without will wife why vaccine ut uses tooo today to tired tipped times tightening tight throughout through things thing they these there their thats that told town users tracking us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two try tried restrict respect let needed nonesence non nice next news newest new never need others must multiple moving move more monthly month money nonsense nothing notified of or option opportunity opening opened ontario only oneday one once on ok often offset offered offer off monetary moment mom your losing loose looking longer long locations location ll living live little limiting limited limit like life letting lower loyalty mistake luck mind might merge memberships membership members member medical means me maybe may married market manservices making make original our residence provider rate raises raised raise quality putting put pushed profits out profit profiles problem pricing prices price president prescription rates rather re
Topic 14 | Coherence=-221556.02 | Top words= price anymore it not worth new just to and make have life more nice keeping iny choice especially shoves pop face forcing afford subscriber expensive raised you your increasing me lost up with cant currently so fees is for subscription but money inflation the keeps rules thanks caused hardly cannot by system workable president biden cancel continually value little point while delivering use multiple rates longer get por using servicio billings let any adicional stopped pagos first pleased didnt el recession climbing gas rising users are month costs policies possible food think adding really often kidding forever gf forth free getting from give fuel focused future games garbage girl kept frequent interested flat fixed euro even every layoff everything expected expenses later extortion extra last fact fair family fan far fault fee feel laid feet few lack fiance finally given kids financially fix financial gouging go its how households household house hosehold horrible holder isn history hiking hikes isnt hike higher issue huge hungry husband increase instead increments increasses into increases increased income idea in improvements im ill if intolerable issues itself goes high had hacking hackednot hacked guys greedy greed great grandkids gotten got good gonna gone going half hand happy entertainment her jacking help job health he having hard havent join joint has justify keep youre done entertaining begin biased biannually bf between better benefits benefit being before change been becoming because became be barely bank back biggest bill billing bills caring cared care card cancelling canceling can bye business buggin budget broke break boyfriend both blindly bit awhile away automatically all agree againlater again after addtional addresses additional addition added activities acct accounts account access acceptance absurd about alarming allow aunt allowed at as aren apps aparently anyways anticonsumer another annually an amounts amount amercian am also already almost cell changed enough differences do divorce disgusts disgusting discontinue disappointed direction different deteriorated changes declined decisions death deal days day daughter date doesnt don leave dont end emails email elsewhere else eliminating edge easily earlier each duplicate due drive drastically drain down double damn dad cutting compromised compared company coming come combining combine college climb city choose checking cheaper charging charges charged charge changing competitive connected cut consider customers customer current currency creep credit covid courtesy country cost continuous continues continue continously constantly constant consolidating learning loyal left stop stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something someone stepdad stopping situation stranger thank than terrible temporary temporarily taste talk taking take switching support summer success subscriptions subscribers sub stupid some single thats selection seems see secure second scaling scales saving save same run rule rotating risen rise ripped right ridiculous seen sense since series significant signaling sign sight sick shouldn should short she sharing share shady several settled set services service that their retiring when what were went well weeks week we way waste was warrant wants wanted want waiting wait vs whats where vaccine who youll yet years yearly year yall ya wouldn would work wont won without willing will wife why virtue ut there tracking tooo too told today tired tipped times time tightening tight throughout through this things thing they these town tried uses try used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying return retired legacy nothing nonesence non no next news newest never needed need my must much moving moved move months monthly nonsense notified moment now options option opportunity opening opened ontario only oneday one once on ok offset offered offer off of monetary mom original loyalty losing loose looking long lol locations location ll living live limiting limited limit like letting lesser less lower luck mistake made mind might merge memberships membership members member medical means maybe may married market many manservices making makes or other resume recent reality reactivate re rather rate raising raises raise quickly quality putting put pushed provider profits profit profiles reason recently pricing
Topic 15 | Coherence=-225622.24 | Top words= greedy subscriptions your charging extra many hikes prices years over few way past also addition sharing keep increasing price pricing charges raising because terrible you for stop damn is these in married getting with after got lost yall mind house ridiculous me our months twice consolidating multiple up had set caring cell expensive through provider wanted money lol subscription other spouses go given enough girl give gas get gf fair end goes going gone gonna good games gotten gouging emails grandkids expenses email great garbage forth future fuel finally fiance face entertaining fact entertainment feet fees feel fee fault far fan family euro financial even every everything from frequent free especially forever forcing food financially focused flat expected fix first extortion fixed youre greed increases join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments joint just justify layoff let lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps increasses increased guys increase her help health he having havent have has hardly else hard happy hand half hacking hackednot hacked high higher hike hungry income improvements im ill if idea husband huge hiking how households household hosehold horrible holder history elsewhere dont eliminating before biannually bf between better benefits benefit being begin been biden becoming became be barely bank back awhile away biased biggest aunt budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at cannot adding agree againlater again afford adicional addtional addresses additional added all activities acct accounts account access acceptance absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed and an amounts amount amercian am already almost cancelling cant el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date dad cutting cut customers customer direction discontinue current drain edge easily earlier each duplicate due drive drastically down disgusting double life done don doesnt do divorce disgusts currently currency card cheaper combine college climbing climb city choose choice checking charged come charge changing changes changed change caused cared care combining coming creep continue credit covid courtesy country costs cost continuous continues continually company continously constantly constant consider connected compromised competitive compared letting loyal like squeeze stopped stepdad stealing stay states starting started start spouse so spending spend span sorry soon son something someone stopping stranger stupid sub that thanks thank than temporary temporarily taste talk taking take system switching support summer success subscribers subscriber some situation the save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series service since significant signaling sign sight sick shoves shouldn should short she share shady several settled servicio services thats their return waste whats what were went well weeks week we was ut warrant wants want waiting wait vs virtue value when where while who youll yet yearly year ya wouldn would worth workable work wont won without willing will wife why vaccine using there times town tooo too told today to tired tipped time uses tightening tight throughout this think things thing they tracking tried try trying users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two right retiring limit nice now notified nothing not nonsense nonesence non no next moving news newest new never needed need my must of off offer offered others original or options option opportunity opening opened ontario only oneday one once on ok often offset much moved outside longer make made luck loyalty lower losing loose looking long move locations location ll living live little limiting limited makes making manservices market more monthly month monetary moment mom mistake might merge memberships membership members member medical means maybe may out overpriced retired rate recent reason really reality reactivate re rather rates raises profiles raised raise quickly quality putting put pushed profits recently recession rectifying redo
Topic 16 | Coherence=-228313.44 | Top words= price the not you your to many share increase fan raising also money because way are subscriptions hikes past is keep willing few for pay am prices support options or us letting access something great was high last without charge differences can any higher improvements absurd made damn paying every justify customers rising jacking who almost limiting with twice wont nonesence afford pls lower limited play what annually rise original has people forcing biannually much save goes girl games get give gonna garbage gf future gas given getting go gone good going financial fuel expensive far family fair fact face extra extortion expenses from expected everything even euro especially entertainment entertaining fault fee feel fees frequent free forth forever food focused flat fixed fix first financially gotten finally fiance feet got health gouging intolerable its it issues issue isnt isn iny into income interested instead inflation increments increasses increasing increases itself job join joint less legacy left leave learning layoff later laid lack kids kidding kept keeps keeping just increased in grandkids hand he having havent have hardly hard happy half im had hacking hackednot hacked guys greedy greed end help her hike ill if idea husband hungry huge how households household house hosehold horrible holder history hiking enough youre emails better billings billing bill biggest biden biased bf between benefits bit benefit being begin before been becoming became be bills blindly cell cancel caring cared care card cant cannot cancelling canceling bye both by but business buggin budget broke break boyfriend barely bank back additional alarming agree againlater again after adicional addtional addresses addition awhile adding added activities acct accounts account acceptance about all allow allowed already away automatically aunt at as aren apps aparently anyways anymore anticonsumer another and an amounts amount amercian caused change email declined disgusting discontinue disappointed direction different didnt deteriorated delivering decisions divorce death deal days day daughter date dad cutting disgusts do changed duplicate elsewhere else eliminating el edge easily earlier each due doesnt drive drastically drain down double dont lesser don cut customer currently city company coming come combining combine college climbing climb choose current choice checking cheaper charging charges charged changing changes compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider done loyal let squeeze stop stepdad stealing stay states starting started start spouses so spouse spending spend span sorry soon son someone stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system switching summer success subscription subscribers subscriber sub some situation life saving selection seen seems see secure second scaling scales same single run rules rule rotating risen ripped right ridiculous sense series service services since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio thanks that thats wanted went well weeks week we waste warrant wants want their waiting wait vs virtue value vaccine ut using were whats when where youll yet years yearly year yall ya wouldn would worth workable work won will wife why while uses users used tooo told today tired tipped times time tightening tight throughout through this think things thing they these there too town use tracking upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying try tried return retiring retired never nonsense non no nice next news newest new needed our need my must multiple moving moved move more nothing notified now of other option opportunity opening opened ontario only oneday one once on ok often offset offered offer off months monthly month makes luck loyalty lost losing loose looking longer long lol locations location ll living live little limit like make making monetary manservices moment mom mistake mind might merge memberships membership members member medical means me maybe may married market others out resume raises reason really reality reactivate re rather rates rate raised outside raise quickly quality putting put pushed provider profits recent recently recession
Topic 17 | Coherence=-228486.60 | Top words= and to don the price prices money continues anymore subscription enough you just up raising benefit have on climb use with added it more other want better are am services spend waste customers fixed income elsewhere constantly business do of users going no take keeps another expenses reducing between fault time cost household get learning would rather limiting off laid warrant issues only letting retired focused personal aren non kidding fee drain profits single us unneeded membership sight barely long increasing these feet dad end owner quality unemployed reflect games gf give for last forcing girl forever free forth garbage frequent lack getting gas from fuel food future intolerable feel flat leave entertainment left especially euro even every everything expected expensive extortion extra face fact fair fix family layoff later fan far go fees few fiance finally financial financially first given kept goes if its itself husband jacking hungry huge how households house hosehold horrible holder history hiking hikes idea ill higher issue into interested instead is inflation increments increasses isn increases increased increase isnt in improvements im hike job kids half hacking hackednot hacked guys greedy greed great grandkids iny gouging gotten got good gonna gone had hand join happy joint high her help health he having justify entertaining havent keep has hardly hard keeping youre doesnt emails billings bill biggest biden biased biannually bf benefits being begin before been becoming because became be bank back billing bills away bit card cant cannot cancelling canceling cancel can bye by but buggin budget broke break boyfriend both blindly awhile automatically cared agree again after afford adicional addtional addresses additional addition adding activities acct accounts account access acceptance absurd about againlater alarming aunt all at as apps aparently anyways any anticonsumer annually an amounts amount amercian also already almost allowed allow care caring email discontinue direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn cutting cut disappointed disgusting currently disgusts else eliminating el edge easily earlier each duplicate due drive drastically down double dont done less divorce customer current caused come combine college climbing city choose choice checking cheaper charging charges charged charge changing changes changed change cell combining coming currency company creep credit covid courtesy country costs continuous continue continually continously constant consolidating consider connected compromised competitive compared legacy loyal lesser spending stay states starting started start squeeze spouses spouse span than sorry soon son something someone some so situation stealing stepdad stop stopped temporary temporarily taste talk taking system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping since significant signaling see second scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return secure seems sign seen sick shoves shouldn should short she sharing share shady several settled set servicio service series sense selection terrible thank let we when whats what were went well weeks week way thanks was wants wanted waiting wait vs virtue value where while who why youll yet years yearly year yall ya wouldn worth workable work wont won without willing will wife vaccine ut using too today tired tipped times tightening tight throughout through this think things thing they there their thats that told tooo uses town used upward upping upcoming until unnecessary unfortunately unfair understand under unable two twice trying try tried tracking retiring resume resubscribe must next news newest new never needed need my multiple restriction much moving moved move months monthly month monetary nice nonesence nonsense not options option opportunity opening opened ontario oneday one once ok often offset offered offer now notified nothing moment mom mistake loyalty lower lost losing loose looking longer lol locations location ll living live little limited limit like life your luck mind made might merge memberships members member medical means me maybe may married market many manservices making makes make or original others reality re rates rate raises raised raise quickly putting put pushed provider profit profiles problem pricing president prescription reactivate really preemptively
Topic 18 | Coherence=-225057.43 | Top words= good bye price one extra with in subscription changing the only keeps she benefits nonsense this when how your need sign don long re been their tracking uses they you passed ut college away tipped direction thank goes charge scales finally other resume account will people anyways continually selection access so boyfriend done bank we daughter moved worth thats had my mom households combine owning later remarried parent summer health better activities year thing as entertainment out and every even getting everything euro gf go girl give given especially going gone gonna entertaining got gotten enough get feel expected gas fair family flat fixed fan fix first financially financial far fiance fault few feet fees focused food for frequent garbage games fee future fuel from expensive forcing extortion free face forth fact forever expenses having gouging increase its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases itself jacking job lack legacy left leave learning layoff last laid kids join kidding kept keeping keep justify just joint increased income grandkids improvements he emails havent have has hardly hard happy hand half hacking hackednot hacked guys greedy greed great help her high household im ill if idea husband hungry huge house higher hosehold horrible holder history hiking hikes hike end youre email billings bill biggest biden biased biannually bf between benefit being begin before becoming because became be barely back billing bills automatically bit care card cant cannot cancelling canceling cancel can by but business buggin budget broke break both blindly awhile aunt caring all agree againlater again after afford adicional addtional addresses additional addition adding added acct accounts acceptance absurd about alarming allow at allowed aren are apps aparently anymore any anticonsumer another annually an amounts amount amercian am also already almost cared caused elsewhere disgusts discontinue disappointed different differences didnt deteriorated delivering declined decisions death deal days day date damn dad cutting disgusting lesser customers divorce else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont doesnt do cut customer cell competitive company coming come combining climbing climb city choose choice checking cheaper charging charges charged changes changed change compared compromised currently connected current currency creep credit covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider less loyal let span starting started start squeeze spouses spouse spending spend sorry temporary soon son something someone some situation single since states stay stealing stepdad taste talk taking take system switching support success subscriptions subscribers subscriber sub stupid stranger stopping stopped stop significant signaling sight second saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resubscribe scaling secure sick see shoves shouldn should short sharing share shady several settled set servicio services service series sense seen seems temporarily terrible restrict warrant were went well weeks week way waste was wants than wanted want waiting wait vs virtue value vaccine what whats where while youll yet years yearly yall ya wouldn would workable work wont won without willing wife why who using users used town too told today to tired times time tightening tight throughout through think things these there that thanks tooo tried use try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying restriction restart letting multiple nice next news newest new never needed must much options moving move more months monthly month money monetary no non nonesence not opportunity opening opened ontario oneday once on ok often offset offered offer off of now notified nothing moment mistake mind loyalty lost losing loose looking longer lol locations location ll living live little limiting limited limit like life lower luck might made merge memberships membership members member medical means me maybe may married market many manservices making makes make option or respect put rate raising raises raised raise quickly quality putting pushed original provider profits profit profiles problem pricing prices president rates rather reactivate
Topic 19 | Coherence=-247019.73 | Top words= you and good your price is the we prices no keep it will many for why too increasing access canceling luck checking increments am where going now greed long customer like rates not be at only time subscriber subscription increase alarming loyalty there feel really year increases with when every raising seems but longer of value worth nothing added ok been its company using fees offer money tired stop extra better cost upping adding services dont run daughter respect members legacy subscriptions being subscribers playing frequent games justify lesser by series customers huge horrible enough amounts popular pay constantly living their others card please to service loyal biggest want gotten deal far monthly end policy re take anyways just again was anticonsumer great grandkids got gouging any greedy anymore gonna gone another an guys annually hacked go amount hackednot amercian hacking had half also hand happy hard goes bye given fix forcing as food focused flat fixed first give financially financial finally fiance few aunt forever aren forth free are from fuel future apps garbage gas get getting gf girl aparently has hardly having have addtional addition isn additional iny intolerable addresses into issue interested instead inflation adicional afford after isnt issues havent acceptance kept keeps keeping about absurd joint join activities account job jacking itself accounts acct increasses againlater agree hike hosehold already holder history hiking hikes higher increased high her help health he feet house household households how almost hungry allowed husband idea if ill im improvements in income allow all automatically fault away consider continue continually continously bills constant consolidating connected continuous compromised competitive compared bit coming come continues billings awhile biden cut biannually biased currently current currency creep costs credit covid bill billing courtesy country combining combine college broke caring cared care boyfriend cant break budget climbing buggin cannot cancelling business cancel can both caused cell change changed changes changing charge charged charges charging cheaper blindly choice choose city climb cutting dad bf email euro especially entertainment entertaining becoming emails elsewhere benefit else before eliminating begin el edge even because everything expected became barely expenses expensive extortion bank face fact fair back family fan fee easily earlier damn delivering disappointed direction different differences didnt deteriorated declined each decisions death days day between date discontinue kids disgusting disgusts divorce do doesnt don done benefits double down drain drastically drive due duplicate kidding youre lack start spouses spouse spending spend span sorry soon son something someone some so situation single since significant signaling squeeze started laid starting taste talk taking system switching support summer success sub stupid stranger stopping stopped stepdad stealing stay states sign sight sick shoves save same rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction saving scales scaling several shouldn should short she sharing share shady settled second set servicio sense selection seen see secure temporarily temporary terrible use went well weeks week way waste warrant wants wanted waiting wait vs virtue vaccine ut uses users were what whats would youll yet years yearly yall ya wouldn workable while work wont won without willing wife who used us than upward today tipped times tightening tight throughout through this think things thing they these thats that thanks thank told tooo town unemployed upcoming up until unneeded unnecessary unfortunately unfair understand tracking under unable two twice trying try tried restrict restart residence merge needed need my must multiple much moving moved move more months month monetary moment mom mistake mind never new newest offset opened ontario oneday one once on often offered news off notified nonsense nonesence non nice next might memberships opportunity membership location ll live little limiting limited limit life letting let less left leave learning layoff later last locations lol looking market member medical means me maybe may married manservices loose making makes make made lower lost losing opening option reside possible raised raise quickly quality putting put pushed provider profits profit profiles problem pricing president prescription prefer preemptively raises
Topic 20 | Coherence=-230810.76 | Top words= and increase don my about paying subscription bill using states news family when limit power idea share outside extra that customer like the service subscriptions two need with of change customers married even care garbage rate billing husband do dont memberships unable country have anymore other got at all now help no date agree charges house significant fees one moved recently added new charge between want households moving merge expensive currently joint us putting damn wanted fact goes going face go given fair give fan far forth extortion girl gonna good expenses expected everything gotten every gouging grandkids great gone get fault fix frequent forever forcing greedy for food focused from flat fuel future fixed first gf financially financial finally fiance games few feet gas free feel getting fee greed her guys issues just join job jacking itself its it issue keep isnt isn is iny intolerable into interested justify keeping inflation learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept instead increments hacked has higher high especially health he having havent hardly hikes hard happy hand half had hacking hackednot hike hiking increasses ill increasing increases increased income in improvements im if history hungry huge how household hosehold horrible holder euro youre entertainment being biggest biden biased biannually bf better benefits benefit begin awhile before been becoming because became be barely bank billings bills bit blindly card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both back away entertaining additional alarming againlater again after afford adicional addtional addresses addition automatically adding activities acct accounts account access acceptance absurd allow allowed almost already aunt as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also cared caring caused didnt divorce disgusts disgusting discontinue disappointed direction different differences deteriorated cell delivering declined decisions death deal days day daughter doesnt done double life enough end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain dad cutting cut compared coming come combining combine college climbing climb city choose choice checking cheaper charging charged changing changes changed company competitive current compromised currency creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected down loyal limited start stopping stopped stop stepdad stealing stay starting started squeeze someone spouses spouse spending spend span sorry soon son stranger stupid sub subscriber thats thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers something some there saving selection seen seems see secure second scaling scales save so same run rules rule rotating rising risen rise sense series services servicio situation single since signaling sign sight sick shoves shouldn should short she sharing shady several settled set their these limiting week while where whats what were went well weeks we value way waste was warrant wants waiting wait vs who why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing virtue vaccine they times town tooo too told today to tired tipped time ut tightening tight throughout through this think things thing tracking tried try trying uses users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under twice ripped right ridiculous non offered offer off notified nothing not nonsense nonesence nice months next newest never needed must multiple much move offset often ok on own overpriced over out our others original or options option opportunity opening opened ontario only oneday once more monthly return looking made luck loyalty your lower lost losing loose longer month long lol locations location ll living live little make makes making manservices money monetary moment mom mistake mind might membership members member medical means me maybe may market many owner owning pagos rates recession recent reason really reality reactivate re rather raising parent raises raised raise quickly quality put pushed provider rectifying redo reduce
Topic 21 | Coherence=-224977.87 | Top words= and my you price in the to that are me for since of greedy is cancel subscriptions increase different out kids want two mom getting hand membership restrict places selection live how lack moving just we will hikes member fair disgusting consolidating far choose taste fiance even using got span extortion ridiculous boyfriend became tracking into already new activities location too expenses happy girl wants ontario deteriorated ya drastically fan cutting unnecessary go biased politically gf your continues she current currency willing unemployed cut significant from going fuel frequent gas goes given get future games give garbage youre financially free everything family fact face extra expensive expected every forth euro especially entertainment entertaining enough end fault fee feel fees feet few finally financial gonna first fix fixed flat focused food forcing forever gone he good intolerable its it issues issue isnt isn iny interested jacking instead inflation increments increasses increasing increases increased itself job improvements last less legacy left leave learning layoff later laid join kidding kept keeps keeping keep justify joint income im gotten had having havent have has hardly hard half hacking health hackednot hacked guys greed great grandkids gouging email help ill house if idea husband hungry huge households household hosehold her horrible holder history hiking hike higher high emails divorce elsewhere been bf between better benefits benefit being begin before becoming else because be barely bank back awhile away automatically biannually biden biggest bill cancelling canceling can bye by but business buggin budget broke break both blindly bit bills billings billing aunt at as agree again after afford adicional addtional addresses additional addition adding added acct accounts account access acceptance absurd about againlater alarming aren all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also almost allowed allow cannot cant card discontinue direction differences didnt delivering declined decisions death deal days day daughter date damn dad customers customer currently disappointed disgusts credit let eliminating el edge easily earlier each duplicate due drive drain down double dont done don doesnt do creep covid care college climb city choice checking cheaper charging charges charged charge changing changes changed change cell caused caring cared climbing combine courtesy combining country costs cost continuous continue continually continously constantly constant consider connected compromised competitive compared company coming come lesser loyal letting spending stay states starting started start squeeze spouses spouse spend signaling sorry soon son something someone some so situation stealing stepdad stop stopped temporary temporarily talk taking take system switching support summer success subscription subscribers subscriber sub stupid stranger stopping single sign restriction rotating scaling scales saving save same run rules rule rising sight risen rise ripped right return retiring retired resume second secure see seems sick shoves shouldn should short sharing share shady several settled set servicio services service series sense seen terrible than thank waste whats what were went well weeks week way was thanks warrant wanted waiting wait vs virtue value vaccine when where while who youll yet years yearly year yall wouldn would worth workable work wont won without with wife why ut uses users told tired tipped times time tightening tight throughout through this think things thing they these there their thats today tooo used town use us upward upping upcoming up until unneeded unfortunately unfair understand under unable twice trying try tried resubscribe restart life news nothing not nonsense nonesence non no nice next newest months never needed need must multiple much moved move notified now off offer other original or options option opportunity opening opened only oneday one once on ok often offset offered more monthly respect long luck loyalty lower lost losing loose looking longer lol month locations ll living little limiting limited limit like made make makes making money monetary moment mistake mind might merge memberships members medical means maybe may married market many manservices others our outside quality rather rates rate raising raises raised raise quickly putting over put pushed provider profits profit profiles problem pricing re reactivate reality
Topic 22 | Coherence=-220681.81 | Top words= to pay have my but bill subscription it youre is extortion its company that taste disgusting not about charge was greedy family different extra me just are so subscriptions do after card ill an compromised for charged automatically credit allowed because told option bank wanted without keep charging hacked in think getting declined than can one euro cheaper aparently poland fault currency live more amercian prefer another yearly afford activities outside service help gone cancel reduce go going greed limiting guys fact goes fair grandkids gonna gouging face good expensive given expenses expected got everything great every gotten few get give girl feet finally financial fees financially first feel fix fixed fee flat focused food far forcing forever hackednot forth fan free frequent from fuel future games garbage gas fiance gf left he limited into issues issue isnt isn lesser iny intolerable interested increase instead inflation increments increasses let increasing increases less legacy itself jacking learning layoff later last laid lack kids kidding kept keeps keeping justify joint join job increased income hacking havent hike higher high her health leave having limit improvements has hardly hard happy hand half had hikes hiking like history im letting if idea husband hungry huge how households household house life hosehold horrible holder even double especially barely billings billing biggest biden biased biannually bf between better benefits benefit being begin before been becoming became bills bit blindly canceling caused caring cared care cant cannot cancelling bye both by business buggin budget broke break boyfriend be back change awhile alarming agree againlater again adicional addtional addresses additional addition adding added acct accounts account access acceptance absurd all allow almost anymore away aunt at as aren apps anyways any already anticonsumer annually and amounts amount am also cell changed entertainment date done don doesnt divorce disgusts discontinue disappointed direction differences didnt deteriorated delivering decisions death deal days day dont down drain eliminating entertaining enough end emails email elsewhere else el drastically edge easily earlier each duplicate due drive daughter damn changes dad consider connected competitive compared coming come combining combine college climbing climb city choose choice checking charges changing consolidating constant constantly covid cutting cut customers customer currently current creep courtesy continously country costs cost continuous continues continue continually little loyal living squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger some taking the thats thanks thank terrible temporary temporarily talk take stupid system switching support summer success subscribers subscriber sub someone situation ridiculous save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio their there these we when whats what were went well weeks week way while waste warrant wants want waiting wait vs virtue where who they would youll you yet years year yall ya wouldn worth why workable work wont won with willing will wife value vaccine ut tipped try tried tracking town tooo too today tired times using time tightening tight throughout through this things thing trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under right return ll nice of now notified nothing nonsense nonesence non no next offer news newest new never needed need must multiple off offered moving opportunity over out our others other original or options opening offset opened ontario only oneday once on ok often much moved retiring lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married move mind months monthly month money monetary moment mom mistake might may merge memberships membership members member medical means maybe overpriced own owner raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession owning reside retired
 48%|████▊     | 23/48 [1:05:27<1:37:09, 233.16s/it]
Topic 23 | Coherence=-223161.79 | Top words= my the and will subscription for on new you now services greed through wife getting service get as another loose be going more divorce left got courtesy phone raising married of prices moving rejoin platform from company her but outside later less provider continously restriction awhile temporarily once raise settled back sharing using own combining accounts time down summer has thank restart coming play under cancelling free nothing disgusts email join scaling instead days hosehold drain stopping only upcoming quality given girl give fuel gas garbage games future goes go gf fixed frequent far family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment fan fault forth fee forever forcing food focused flat fix first financially financial finally fiance few feet fees feel gone hard gonna its issues issue isnt isn is iny intolerable into interested inflation increments increasses increasing increases increased increase income it itself improvements jacking legacy leave learning layoff last laid lack kids kidding kept keeps keeping keep justify just joint job in im good he havent have hardly enough happy hand half had hacking hackednot hacked guys greedy great grandkids gouging gotten having health ill help if idea husband hungry huge how households household house horrible holder history hiking hikes hike higher high entertaining youre end being biden biased biannually bf between better benefits benefit begin aunt before been becoming because became barely bank away biggest bill billing billings cant cannot canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills automatically at emails addition againlater again after afford adicional addtional addresses additional adding aren added activities acct account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed card care cared death direction different differences didnt deteriorated delivering declined decisions deal caring day daughter date damn dad cutting cut customers disappointed discontinue disgusting do elsewhere else eliminating el edge easily earlier each duplicate due drive drastically lesser dont done don doesnt customer currently current combine climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused college come currency compared creep credit covid country costs cost continuous continues continue continually constantly constant consolidating consider connected compromised competitive double loyal let start stopped stop stepdad stealing stay states starting started squeeze these spouses spouse spending spend span sorry soon son stranger stupid sub subscriber their thats that thanks than terrible temporary taste talk taking take system switching support success subscriptions subscribers something someone some sense seen seems see secure second scales saving save same run rules rule rotating rising risen rise ripped selection series so servicio situation single since significant signaling sign sight sick shoves shouldn should short she share shady several set there they ridiculous we when whats what were went well weeks week way thing waste was warrant wants wanted want waiting wait where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vs virtue value trying tried tracking town tooo too told today to tired tipped times tightening tight throughout this think things try twice vaccine two ut uses users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand unable right return letting multiple nice next news newest never needed need must much other moved move months monthly month money monetary moment no non nonesence nonsense or options option opportunity opening opened ontario oneday one ok often offset offered offer off notified not mom mistake mind your lost losing looking longer long lol locations location ll living live little limiting limited limit like life lower loyalty might luck merge memberships membership members member medical means me maybe may market many manservices making makes make made original others retiring raised really reality reactivate re rather rates rate raises quickly our putting put pushed profits profit profiles problem pricing reason recent recently
Average topic coherence for the top words is -229149.46583151235
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.41it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.43it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.38it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.41it/s]
 10%|█         | 5/50 [00:00<00:08,  5.37it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.38it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.39it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.40it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.40it/s]
 20%|██        | 10/50 [00:01<00:07,  5.41it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.43it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.42it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.43it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.43it/s]
 30%|███       | 15/50 [00:02<00:06,  5.45it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.46it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.45it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.47it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.46it/s]
 40%|████      | 20/50 [00:03<00:05,  5.43it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.45it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.42it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.41it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.44it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.45it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.46it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.49it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.49it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.45it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.44it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.45it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.46it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.48it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.50it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.46it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.45it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.48it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.47it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.48it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.48it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.48it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.51it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.50it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.50it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.49it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.47it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.48it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.47it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.45it/s]
100%|██████████| 50/50 [00:09<00:00,  5.45it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.71it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.74it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.75it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.72it/s]
 10%|█         | 5/50 [00:00<00:06,  6.75it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.75it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.75it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.75it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.77it/s]
 20%|██        | 10/50 [00:01<00:05,  6.75it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.75it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.75it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.77it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.79it/s]
 30%|███       | 15/50 [00:02<00:05,  6.77it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.76it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.76it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.76it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.76it/s]
 40%|████      | 20/50 [00:02<00:04,  6.74it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.76it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.74it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.72it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.74it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.73it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.74it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.73it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.75it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.73it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.75it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.77it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.75it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.72it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.71it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.71it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.68it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.68it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.72it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.73it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.74it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.74it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.71it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.71it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.72it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.72it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.73it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.74it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.73it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.73it/s]
100%|██████████| 50/50 [00:07<00:00,  6.74it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.68it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.64it/s]
  6%|▌         | 3/50 [00:00<00:12,  3.67it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.68it/s]
 10%|█         | 5/50 [00:01<00:12,  3.66it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.63it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.64it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.64it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.63it/s]
 20%|██        | 10/50 [00:02<00:11,  3.63it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.61it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.61it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.63it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.63it/s]
 30%|███       | 15/50 [00:04<00:09,  3.63it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.63it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.65it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.64it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.64it/s]
 40%|████      | 20/50 [00:05<00:08,  3.63it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.62it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.63it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.64it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.65it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.63it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.63it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.64it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.63it/s]
 58%|█████▊    | 29/50 [00:07<00:05,  3.64it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.61it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.62it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.62it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.64it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.67it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.67it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.65it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.65it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.66it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.66it/s]
 80%|████████  | 40/50 [00:10<00:02,  3.65it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.65it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.64it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.63it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.63it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.64it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.64it/s]
 94%|█████████▍| 47/50 [00:12<00:00,  3.63it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.64it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.61it/s]
100%|██████████| 50/50 [00:13<00:00,  3.64it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.82it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.81it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.81it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.82it/s]
 10%|█         | 5/50 [00:01<00:15,  2.82it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.82it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.82it/s]
 16%|█▌        | 8/50 [00:02<00:14,  2.83it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.82it/s]
 20%|██        | 10/50 [00:03<00:14,  2.82it/s]
 22%|██▏       | 11/50 [00:03<00:13,  2.82it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.80it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.79it/s]
 28%|██▊       | 14/50 [00:04<00:12,  2.79it/s]
 30%|███       | 15/50 [00:05<00:12,  2.79it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.80it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.79it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.79it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.80it/s]
 40%|████      | 20/50 [00:07<00:10,  2.80it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.81it/s]
 44%|████▍     | 22/50 [00:07<00:09,  2.80it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.81it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.82it/s]
 50%|█████     | 25/50 [00:08<00:08,  2.81it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.81it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.80it/s]
 56%|█████▌    | 28/50 [00:09<00:07,  2.80it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.79it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.80it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.80it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.81it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.81it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.81it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.81it/s]
 72%|███████▏  | 36/50 [00:12<00:04,  2.82it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.82it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.83it/s]
 78%|███████▊  | 39/50 [00:13<00:03,  2.83it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.83it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.83it/s]
 84%|████████▍ | 42/50 [00:14<00:02,  2.81it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.79it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.80it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.80it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.80it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.81it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.81it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.82it/s]
100%|██████████| 50/50 [00:17<00:00,  2.81it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.83it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.83it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.83it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.82it/s]
 10%|█         | 5/50 [00:02<00:24,  1.82it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.82it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.81it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.82it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.82it/s]
 20%|██        | 10/50 [00:05<00:21,  1.83it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.83it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.83it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.83it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.82it/s]
 30%|███       | 15/50 [00:08<00:19,  1.82it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.83it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.83it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.83it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.83it/s]
 40%|████      | 20/50 [00:10<00:16,  1.83it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.83it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.84it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.83it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.82it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.83it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.83it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.83it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.82it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.83it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.82it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.82it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.83it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.82it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.83it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.83it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.83it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.83it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.83it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.83it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.83it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.83it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.82it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.81it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.82it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.82it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.83it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.83it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.84it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.84it/s]
100%|██████████| 50/50 [00:27<00:00,  1.83it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.18it/s]
Topic 0 | Coherence=-212601.11 | Top words= subscription it is pay to my not that was so do just have but ill after bill because compromised card without charged automatically allowed bank wanted an told option credit hacked use think notified cheaper today in currency euro make reality yearly prefer often continues at fault and come when give girl gf youre given grandkids had hacking hackednot guys greedy greed great gouging go gotten got good gonna gone going goes getting forth get feet feel fee far fan family fair fact face extra extortion expensive expenses expected everything every even especially entertainment entertaining fees few gas fiance garbage games future fuel from frequent free forever forcing for food focused flat fixed fix first financially financial finally half higher hand lack kidding kept keeps keeping keep justify joint join job jacking itself its issues issue isnt isn iny kids laid happy last live little limiting limited limit like life letting let lesser less legacy left leave learning layoff later intolerable into interested instead horrible holder history hiking hikes hike end high her help health he having havent has hardly hard hosehold house household income inflation increments increasses increasing increases increased increase improvements households im if idea husband hungry huge how enough double emails benefit biggest biden biased biannually bf between better benefits being away begin before been becoming became be barely back billing billings bills bit care cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly awhile aunt email adding againlater again afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost cared caring caused delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cell decisions death deal days day daughter date damn disgusts divorce doesnt don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down ll dont done dad cutting cut compared coming combining combine college climbing climb city choose choice checking charging charges charge changing changes changed change company competitive customers connected customer currently current creep covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider living loyal location spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping situation system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid some single thanks save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services thank thats locations way whats what were went well weeks week we waste while warrant wants want waiting wait vs virtue value where who ut would youll you yet years year yall ya wouldn worth why workable work wont won with willing will wife vaccine using the tight town tooo too tired tipped times time tightening throughout tried through this things thing they these there their tracking try uses unneeded users used us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice right ridiculous return no offer off of now nothing nonsense nonesence non nice offset next news newest new never needed need must offered ok much or overpriced over outside out our others other original options on opportunity opening opened ontario only oneday one once multiple moving retiring loyalty married market many manservices making makes made luck your maybe lower lost losing loose looking longer long lol may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical own owner owning raising recent reason really reactivate re rather rates rate raises recession raised raise quickly quality putting put pushed provider recently rectifying pagos reside retired
Topic 1 | Coherence=-225620.95 | Top words= and my too subscription for on now the need many expensive married charges don new subscriptions got wife charging only prices going two added husband as through divorce memberships fees later courtesy one left share will own raised her right high maybe has households recently combine keeps me thank cancelling offered ll becoming whats never prescription rejoin temporarily feet long losing remarried tired what good grandkids future gouging games gotten garbage gone gonna goes gas go fuel give get getting girl gf given flat from fan fair fact face extra extortion expenses expected everything every even euro especially entertainment entertaining enough end emails family far frequent fault free forth forever forcing food focused greed fixed fix first financially financial finally fiance few feel fee great youre greedy isn jacking itself its it issues issue isnt is increasing iny intolerable into interested instead inflation increments job join joint just lesser less legacy leave learning layoff last laid lack kids kidding kept keeping keep justify increasses increases guys hardly hike higher health he having havent have hard increased happy hand half had hacking hackednot hacked hikes hiking history holder increase income in improvements im ill if idea hungry huge how household house hosehold horrible help drain email card biased biannually bf between better benefits benefit being begin before been because became be barely bank back awhile away biden biggest bill buggin cannot canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cant care elsewhere cared direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers disappointed discontinue disgusting due else eliminating el edge easily earlier each duplicate drive disgusts drastically letting down double dont done doesnt do customer currently current cheaper combining college climbing climb city choose choice checking charged coming charge changing changes changed change cell caused caring come company currency continue creep credit covid country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive let loyal life start stopped stop stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stopping stranger stupid sub thats that thanks than terrible temporary taste talk taking take system switching support summer success subscribers subscriber something some there scaling series sense selection seen seems see secure second scales so saving save same run rules rule rotating rising service services servicio set situation single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled their these like way where when were went well weeks week we waste value was warrant wants wanted want waiting wait vs while who why willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue vaccine they tipped try tried tracking town tooo told today to times ut time tightening tight throughout this think things thing trying twice unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand risen rise ripped no off of notified nothing not nonsense nonesence non nice move next news newest needed must multiple much moving offer offset often ok overpriced over outside out our others other original or options option opportunity opening opened ontario oneday once moved more ridiculous longer made luck loyalty your lower lost loose looking lol months locations location living live little limiting limited limit make makes making manservices monthly month money monetary moment mom mistake mind might merge membership members member medical means may market owner owning pagos rate recent reason really reality reactivate re rather rates raising parent raises raise quickly quality putting put pushed provider recession rectifying redo
Topic 2 | Coherence=-221870.97 | Top words= to and you my different charge have me in are for disgusting greedy its taste extortion company youre subscriptions but family pay about bill live that subscription extra kids going two will another cancel re want membership more mom since places restrict intolerable city unfair fair with even how won both addresses able amercian poland double emails boyfriend same only using payment go wants gf bills household gotten medical amount needed customers opening all much business high increasses college people resume be short reduce especially good is bye allow cant first fix food girl fixed getting get flat focused financially garbage gas from games where forcing forever forth future free fuel frequent financial use finally fiance euro entertainment entertaining enough end email elsewhere else eliminating el edge easily earlier each duplicate due drive willing every everything fan few feet fees feel fee give far while expected who fact face why wife expensive expenses fault gouging given income instead inflation increments increasing increases increased increase went into improvements im ill if idea husband hungry interested well goes job keeps keeping keep justify just joint join jacking iny itself weeks it issues issue isnt isn huge were households whats hand half had hacking hackednot hacked guys greed house great grandkids drain got gonna gone when happy hard hardly has hosehold horrible holder history hiking hikes hike higher her help health he having havent what drastically disgusts down canceling benefits benefit being begin before been becoming because became barely bank back awhile away automatically aunt at better between bf ya can by wouldn buggin budget broke break blindly biannually bit billings billing yall biggest biden biased as aren year added afford adicional addtional yet additional addition adding activities again acct accounts account access acceptance absurd youll after againlater apps years aparently anyways anymore any anticonsumer yearly annually an agree amounts am also already almost allowed alarming would cancelling dont cannot day daughter date damn dad cutting cut customer currently current currency creep credit covid courtesy country costs days deal death discontinue done don doesnt do divorce kidding without disappointed decisions direction wont differences didnt deteriorated delivering declined cost continuous continues changes checking cheaper charging charges charged worth changing changed choose change cell caused caring cared care card choice workable continue compromised continually continously constantly constant consolidating consider connected competitive climb compared work coming come combining combine climbing kept leave week share several settled set servicio services service series sense selection seen seems see secure second scaling scales saving shady sharing lack she soon son something someone some so situation single virtue significant signaling sign sight sick shoves shouldn should save run rules rule renewing remarried rejoin reflect reducing redo rectifying recession recently recent reason really reality reactivate wait rather rates rent replace repurposing return rotating rising risen rise ripped right ridiculous retiring reside retired resubscribe restriction vs restart respect residence sorry span spend these tooo too told today uses tired tipped times time tightening tight throughout through this think things thing town tracking tried unfortunately upward upping upcoming up until unneeded unnecessary used try unemployed understand under unable users twice trying they there spending their subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse subscribers value vaccine temporarily the thats thanks thank than terrible temporary ut success talk taking take system switching support summer rate raising raises many money monetary moment was mistake mind might merge memberships waste members member means way maybe may married month monthly months newest nonsense nonesence non no nice next news new warrant never need must multiple moving moved move market manservices nothing making limiting limited limit like life letting let lesser less legacy left us learning layoff later last laid little we living lost makes make made luck loyalty your lower losing ll loose looking longer long lol locations location not notified raised phone por popular pop politically political policy policies point pls pleased please playing play platforms platform waiting piracy possible
Topic 3 | Coherence=-229785.13 | Top words= price and your you outside increasing greedy the keep terrible addition pricing charges subscription prices increase sharing don keeps constant people how is increases tracking their paying nonsense changing benefits they access new long for less been want creep using customer that value done are change about while why more little family point ridiculous delivering continually with raise garbage gotten continue news of like power states hardly idea addtional limit when bill service climbing think last buggin this youre biggest guys greed great also grandkids gouging am got good gonna gone going goes go given give already hacked girl hackednot her help health he having havent have has almost hard happy hand half had hacking amercian amount higher flat fix first financially financial another finally fiance few feet anticonsumer any anymore fees feel fee fixed focused gf food getting get gas amounts games future fuel from frequent free forth forever forcing an annually high allowed far kept adding keeping additional justify just joint join job jacking itself its it issues issue isnt added kidding addresses kids absurd acceptance lesser account accounts legacy left leave learning layoff later acct activities laid lack isn iny hike againlater hungry huge agree alarming households all household house hosehold horrible holder allow history hiking hikes husband if intolerable ill into interested instead inflation increments increasses adicional afford increased after income again in improvements im fault fan biden come combine college barely climb city choose be choice checking cheaper charging became charged charge because combining coming changed company costs cost continuous continues awhile back continously constantly bank consolidating consider connected compromised competitive compared changes becoming courtesy business better between budget bf broke break biannually biased boyfriend both blindly bit bills billings billing benefit being before but cell caused caring cared care card cant cannot cancelling canceling cancel can begin bye by country covid anyways end email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down emails enough dont entertaining fair fact face aparently extra extortion expensive expenses expected everything every even euro especially entertainment double apps credit deal day daughter date damn dad cutting at cut customers aunt currently current currency automatically away days death letting decisions doesnt do aren divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated as declined let loyal life spending stealing stay starting started start squeeze spouses spouse spend single span sorry soon son something someone some so stepdad stop stopped stopping temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger situation since retired run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped right return seems seen selection sense signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services series than thank thanks waste what were went well weeks week we way was thats warrant wants wanted waiting wait vs virtue vaccine whats where who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will ut uses users tried tooo too told today to tired tipped times time tightening tight throughout through things thing these there town try used trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring resume limited never nothing not nonesence non no nice next newest needed monthly need my must multiple much moving moved move notified now off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered months month resubscribe loose makes make made luck loyalty lower lost losing looking money longer lol locations location ll living live limiting making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married other others our raises really reality reactivate re rather rates rate raising raised out quickly quality putting put pushed provider profits profit reason recent recently
Topic 4 | Coherence=-219079.53 | Top words= you my the extra subscription that about when of and money using don bill share family like with paying power idea increase states limit news want away passed this has account at same owner for she had daughter residence mom agree unable sense owning parent hosehold person aunt consider pricing doesnt addition service resubscribe ok acceptance well damn stranger decisions another job entertaining gonna future games gotten enough garbage gas got good get give getting gone gf girl going goes go given fuel expenses from fiance feet fees feel every fee fault far fan fair everything fact face expected extortion expensive few finally frequent even free forth entertainment forever forcing especially euro food flat fixed gouging fix first financially financial focused have grandkids isnt joint join jacking itself its it issues issue isn justify is iny intolerable into interested instead inflation increments just keep great learning life letting let lesser less legacy left leave layoff keeping later last laid lack kids kidding kept keeps increasses increasing increases hard her help health he having havent emails hardly happy increased hand half hacking hackednot hacked guys greedy greed high higher hike hikes income in improvements im ill if husband hungry huge how households household house horrible holder history hiking end youre email better billings billing biggest biden biased biannually bf between benefits barely benefit being begin before been becoming because became bills bit blindly both care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend be bank elsewhere addtional allow all alarming againlater again after afford adicional addresses back additional adding added activities acct accounts access absurd allowed almost already also awhile automatically as aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am cared caring caused deal direction different differences didnt deteriorated delivering declined death days cell day date dad cutting cut customers customer currently disappointed discontinue disgusting disgusts else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont do divorce current currency creep come combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change combining coming credit company covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected compromised competitive compared done loyal limited squeeze stopped stop stepdad stealing stay starting started start spouses stupid spouse spending spend span sorry soon son something stopping sub limiting talk thats thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers someone some so run seems see secure second scaling scales saving save rules situation rule rotating rising risen rise ripped right ridiculous seen selection series services single since significant signaling sign sight sick shoves shouldn should short sharing shady several settled set servicio their there these way where whats what were went weeks week we waste vaccine was warrant wants wanted waiting wait vs virtue while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value ut they tipped tracking town tooo too told today to tired times uses time tightening tight throughout through think things thing tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two return retiring retired never nonsense nonesence non no nice next newest new needed monthly need must multiple much moving moved move more not nothing notified now or options option opportunity opening opened ontario only oneday one once on often offset offered offer off months month other looking made luck loyalty your lower lost losing loose longer monetary long lol locations location ll living live little make makes making manservices moment mistake mind might merge memberships membership members member medical means me maybe may married market many original others resume raised reality reactivate re rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit really reason recent recently
Topic 5 | Coherence=-230746.22 | Top words= extra charging you share of price hikes many because your the to greedy also few subscriptions past fan years over way not money with my me out cant stay grandkids without hike an outside newest company greed raised disgusts moving is hosehold won country sharing waste absurd care limit cancel entertainment forcing house payment going gf gas get guys getting great girl gone gouging gotten got give given go good goes gonna garbage youre games future fault far family fair fact face extortion expensive expenses expected everything every even euro especially entertaining enough end emails fee feel fees food fuel from frequent free forth forever for hackednot focused feet flat fixed fix first financially financial finally fiance hacked having hacking instead keep justify just joint join job jacking itself its it issues issue isnt isn iny intolerable into keeping keeps kept left like life letting let lesser less legacy leave kidding learning layoff later last laid lack kids interested inflation had increments history hiking higher high her help health he elsewhere havent have has hardly hard happy hand half holder horrible household improvements increasses increasing increases increased increase income in im households ill if idea husband hungry huge how email drain else before biannually bf between better benefits benefit being begin been biden becoming became be barely bank back awhile away biased biggest aunt budget cancelling canceling can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at card addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow and amounts amount amercian am already almost allowed cannot cared eliminating deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drastically el edge easily earlier each duplicate due drive limiting disgusting down double dont done don doesnt do divorce customer current caring cheaper combine college climbing climb city choose choice checking charges come charged charge changing changes changed change cell caused combining coming currency continue creep credit covid courtesy costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive limited loyal little start stopping stopped stop stepdad stealing states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub their talk that thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscription subscribers something someone some scales sense selection seen seems see secure second scaling saving so save same run rules rule rotating rising risen series service services servicio situation single since significant signaling sign sight sick shoves shouldn should short she shady several settled set thats there ripped wants were went well weeks week we was warrant wanted whats want waiting wait vs virtue value vaccine ut what when these worth youll yet yearly year yall ya wouldn would workable where work wont willing will wife why who while using uses users time town tooo too told today tired tipped times tightening used tight throughout through this think things thing they tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice rise right live no offer off now notified nothing nonsense nonesence non nice offset next news new never needed need must multiple offered often owning option own overpriced our others other original or options opportunity ok opening opened ontario only oneday one once on much moved move losing making makes make made luck loyalty lower lost loose more looking longer long lol locations location ll living manservices market married may months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe owner pagos ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raise quickly quality putting put rectifying reduce parent respect return
Topic 6 | Coherence=-235044.27 | Top words= extra and raising you subscription im for charge better services if prices other cheaper youre keep gonna reason kept people using are only so out that was charging now your it sharing the my with will no family more an service pay getting too provider support won parents elsewhere through longer constantly phone benefit am greedy take climb be girl not connected fees ya pagos el adicional declined servicio por replace acceptance lack caring cell monthly being horrible making instead need often gas games garbage everything even get every gf fuel give given euro go goes especially going gone future left from fault finally fiance few feet feel fee far frequent fan legacy expensive extortion fair fact financial financially first fix layoff fixed flat focused food leave forcing forever face free learning expenses expected forth laid good in increments increasses increasing increases increased increase income improvements got kidding ill kids idea husband hungry huge inflation interested into intolerable keeping justify just joint join job jacking itself its issues issue isnt isn is iny how households household hard hand keeps half last had hacking later hackednot hacked guys greed great grandkids gouging gotten happy entertainment house has hosehold holder history hiking hikes hike higher high her help health he having havent have hardly double entertaining benefits billing bill biggest biden biased biannually bf between begin away before been becoming because became barely bank back billings bills bit blindly card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both awhile automatically cared addition agree againlater again after afford addtional addresses additional adding aunt added activities acct accounts account access absurd about alarming all allow allowed at as aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian also already almost care caused enough didnt divorce disgusts disgusting discontinue disappointed direction different differences deteriorated dad delivering decisions death deal days day daughter date do doesnt don done end emails email else eliminating edge easily earlier each duplicate due drive drastically drain down lesser dont damn cutting change climbing competitive compared company coming come combining combine college city cut choose choice checking charges charged changing changes changed compromised consider consolidating constant customers customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously less loyal let start stopped stop stepdad stealing stay states starting started squeeze there spouses spouse spending spend span sorry soon son stopping stranger stupid sub thats thanks thank than terrible temporary temporarily taste talk taking system switching summer success subscriptions subscribers subscriber something someone some selection seems see secure second scaling scales saving save same run rules rule rotating rising risen rise ripped seen sense situation series single since significant signaling sign sight sick shoves shouldn should short she share shady several settled set their these ridiculous waste what were went well weeks week we way warrant they wants wanted want waiting wait vs virtue value whats when where while youll yet years yearly year yall wouldn would worth workable work wont without willing wife why who vaccine ut uses try tracking town tooo told today to tired tipped times time tightening tight throughout this think things thing tried trying users twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right return letting must non nice next news newest new never needed multiple others much moving moved move months month money monetary nonesence nonsense nothing notified or options option opportunity opening opened ontario oneday one once on ok offset offered offer off of moment mom mistake loyalty lost losing loose looking long lol locations location ll living live little limiting limited limit like life lower luck mind made might merge memberships membership members member medical means me maybe may married market many manservices makes make original our retiring raises recent really reality reactivate re rather rates rate raised outside raise quickly quality putting put pushed profits profit recently recession rectifying
Topic 7 | Coherence=-224939.81 | Top words= you the it of being my prices use up enough this greedy months time that in re as cared leave understand means were begin hiking if us keep wouldn high can what ll by only but many about just when at with to last out see subscription was every moved am think opportunity customers support work opened won keeps afford hardly never increasing fault willing duplicate mistake used way town moment stranger new temporary squeeze cutting unnecessary expenses start hike repurposing adding worth focused policy help interested shouldn warrant forever goes fuel forth go free frequent from given future games garbage gas get getting gf girl give forcing few for fact extra extortion expensive expected everything even euro especially entertainment entertaining end emails email elsewhere else face fair food family flat fixed fix first financially financial finally fiance gone feet fees feel fee far fan going he gonna idea isn is iny intolerable into instead inflation increments increasses increases increased increase income improvements im isnt issue issues kept layoff later laid lack kids kidding keeping its justify joint join job jacking itself ill husband good hungry hard happy hand half had hacking hackednot hacked guys greed great grandkids gouging gotten got has have havent horrible huge how households household house hosehold holder having history hikes higher her health el eliminating youre edge before biden biased biannually bf between better benefits benefit been easily becoming because became be barely bank back awhile biggest bill billing billings card cant cannot cancelling canceling cancel bye business buggin budget broke break boyfriend both blindly bit bills away automatically aunt all agree againlater again after adicional addtional addresses additional addition added activities acct accounts account access acceptance absurd alarming allow aren allowed are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost care caring caused different didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cut customer currently current learning direction creep disappointed earlier each due drive drastically drain down double dont done don doesnt do divorce disgusts disgusting discontinue currency credit cell come combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change combining coming covid company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared differences loyal left sorry son something someone some so situation single since significant signaling sign sight sick shoves should short she soon span share spend subscriptions subscribers subscriber sub stupid stopping stopped stop stepdad stealing stay states starting started spouses spouse spending sharing shady summer rule rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence reside rotating rules several run settled set servicio services service series sense selection seen seems secure second scaling scales saving save same success switching legacy well week we waste wants wanted want waiting wait vs virtue value vaccine ut using uses users upward weeks went upcoming whats youll yet years yearly year yall ya would workable wont without will wife why who while where upping until system tight through things thing they these there their thats thanks thank than terrible temporarily taste talk taking take throughout tightening unneeded times unfortunately unfair unemployed under unable two twice trying try tried tracking tooo too told today tired tipped replace rent renewing no next news newest needed need must multiple much moving move more monthly month money monetary mom mind nice non merge nonesence opening ontario oneday one once on ok often offset offered offer off now notified nothing not nonsense might memberships remarried loose longer long lol locations location living live little limiting limited limit like life letting let lesser less looking losing membership lost members member medical me maybe may married market manservices making makes make made luck loyalty your lower option options or raise quality putting put pushed provider profits profit profiles problem pricing price president prescription prefer preemptively power possible quickly raised
Topic 8 | Coherence=-225271.23 | Top words= you to pay that dont raised your for shady almost tried price cancel the offer used fact like guys want once also sharing just do from people they not something so needed forth good why stop services put because need subscriptions enough take warrant cost charging vaccine due lost day anymore job expensive waiting break until fees money again taking original give girl even euro every especially everything gf entertainment goes given entertaining go expected going gone gonna end got gotten gouging grandkids great emails email getting far get greed fault fee fan feel family feet few fiance fair finally financial financially first fix fixed gas flat focused food face forcing extra extortion forever free frequent fuel future games garbage expenses havent greedy isn join jacking itself its it issues issue isnt is increases iny intolerable into interested instead inflation increments increasses joint justify keep keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasing increased hacked have higher high her help health he having else has increase hardly hard happy hand half had hacking hackednot hike hikes hiking history income in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder elsewhere youre eliminating before biannually bf between better benefits benefit being begin been biden becoming became be barely bank back awhile away biased biggest el buggin cannot cancelling canceling can bye by but business budget bill broke boyfriend both blindly bit bills billings billing automatically aunt at adding againlater after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways any anticonsumer another annually and an amounts amount amercian am already allowed cant card care daughter didnt deteriorated delivering declined decisions death deal days date creep damn dad cutting cut customers customer currently current differences different direction disappointed edge easily earlier each duplicate drive drastically drain down double done don doesnt divorce disgusts disgusting discontinue currency credit cared charges college climbing climb city choose choice checking cheaper charged covid charge changing changes changed change cell caused caring combine combining come coming courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company life loyal limit spending stay states starting started start squeeze spouses spouse spend significant span sorry soon son someone some situation single stealing stepdad stopped stopping than terrible temporary temporarily taste talk system switching support summer success subscription subscribers subscriber sub stupid stranger since signaling thanks rotating scaling scales saving save same run rules rule rising sign risen rise ripped right ridiculous return retiring retired second secure see seems sight sick shoves shouldn should short she share several settled set servicio service series sense selection seen thank thats resubscribe week where when whats what were went well weeks we ut way waste was wants wanted wait vs virtue while who wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value using their tightening tooo too told today tired tipped times time tight uses throughout through this think things thing these there town tracking try trying users use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume restriction limited new nonsense nonesence non no nice next news newest never monthly my must multiple much moving moved move more nothing notified now of other or options option opportunity opening opened ontario only oneday one on ok often offset offered off months month our longer make made luck loyalty lower losing loose looking long monetary lol locations location ll living live little limiting makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market others out restrict quickly reactivate re rather rates rate raising raises raise quality president putting pushed provider profits profit profiles problem pricing reality really reason recent
Topic 9 | Coherence=-234926.10 | Top words= to back have money prices need cut be will on don and month with this of just stop due some my other use continues subscription another customer end raising enough get into move subscriptions payment losing costs as job having between high expenses already expensive activities entertainment more made using issues time youll spend put me fuel rise trying users new cancel putting climb spending platform success addtional added in financially gas these payday upcoming want awhile save unemployed im hard piracy financial personal long almost got own kids go looking choose moving increases feet cutting every anymore retiring divorce service raised less damn week repurposing ill next must few currently instead getting married ridiculous climbing phone keeping reflect try improvements finally hosehold first fiance fix fixed house he joint flat focused household food horrible for holder forcing forever forth history join justify households extra idea even kidding kept keeps husband everything expected keep extortion hungry face income fact fair huge family fan far fault fee feel how fees hiking itself jacking free increased iny increasing great her greed greedy increasses guys hacked hackednot intolerable hacking had half help hand happy increments interested health hardly has inflation havent grandkids gouging gotten isnt increase hikes frequent from its future games garbage it hike issue higher good gf girl give given if isn goes going gone is gonna youre do euro bills billing bill biggest biden biased biannually bf better benefits benefit being begin before been becoming because became billings bit caring blindly care card cant cannot cancelling canceling can bye by but business buggin budget broke break boyfriend both barely bank away automatically agree againlater again after afford adicional addresses additional addition adding acct accounts account access acceptance absurd about alarming all allow any aunt at aren are apps aparently anyways anticonsumer allowed annually an amounts amount amercian am also cared caused especially doesnt disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter laid done cell dont entertaining emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double date dad customers current coming come combining combine college city choice checking cheaper charging charges charged charge changing changes changed change company compared competitive continuous currency creep credit covid courtesy country cost continue compromised continually continously constantly constant consolidating consider connected lack loyal last stepdad stay states starting started start squeeze spouses spouse span sorry soon son something someone so situation single stealing stopped thanks stopping than terrible temporary temporarily taste talk taking take system switching support summer subscribers subscriber sub stupid stranger since significant signaling sign see secure second scaling scales saving same run rules rule rotating rising risen ripped right return retired seems seen selection sharing sight sick shoves shouldn should short she share sense shady several settled set servicio services series thank that later while when whats what were went well weeks we way waste was warrant wants wanted waiting wait vs where who thats why you yet years yearly year yall ya wouldn would worth workable work wont won without willing wife virtue value vaccine ut too told today tired tipped times tightening tight throughout through think things thing they there their the tooo town tracking unneeded uses used us upward upping up until unnecessary tried unfortunately unfair understand under unable two twice resume resubscribe restriction non nice news newest never needed multiple much moved months monthly monetary moment mom mistake mind might merge no nonesence restrict nonsense opening opened ontario only oneday one once ok often offset offered offer off now notified nothing not memberships membership members member ll living live little limiting limited limit like life letting let lesser legacy left leave learning layoff location locations lol making medical means maybe may market many manservices makes longer make luck loyalty your lower lost loose opportunity option options prefer re rather rates rate raises raise quickly quality pushed provider profits profit profiles problem pricing price president reactivate
Topic 10 | Coherence=-215680.09 | Top words= is prices subscriber increasing it only rates like we long loyalty keep feel no customer there alarming with for in going at time my moved who someone damn these lost son already yall has mind date payment switching hacked acct family afford needed youre want two again gf entertaining give entertainment girl getting given get especially gas euro even garbage enough goes go future elsewhere guys greedy email greed great emails end grandkids gouging gotten got good gonna gone games far fuel finally extortion extra face financially financial fact fiance from fair few feet fees fan fee hackednot first fix fixed expensive expenses expected flat everything focused food every forcing forever forth free fault frequent her hacking kept keeping justify just joint join job jacking itself its issues issue isnt isn iny intolerable into interested keeps kidding had kids limiting limited limit life letting let lesser less legacy left leave learning layoff later last laid lack instead inflation increments increasses hiking hikes hike higher high eliminating help health he having havent have hardly hard happy hand half history holder horrible if increases increased increase income improvements im ill idea hosehold husband hungry huge how households household house else down el being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing awhile business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills back away card addition all agree againlater after adicional addtional addresses additional adding allowed added activities accounts account access acceptance absurd about allow almost automatically any aunt as aren are apps aparently anyways anymore anticonsumer also another annually and an amounts amount amercian am cant care edge days differences didnt deteriorated delivering declined decisions death deal day direction daughter dad cutting cut customers currently current currency different disappointed credit live easily earlier each duplicate due drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting creep covid cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining courtesy constantly country costs cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming little loyal living start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon something stopping stupid so talk that thanks thank than terrible temporary temporarily taste taking sub take system support summer success subscriptions subscription subscribers some situation right saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio thats the their waste whats what were went well weeks week way was where warrant wants wanted waiting wait vs virtue value when while they would youll you yet years yearly year ya wouldn worth why workable work wont won without willing will wife vaccine ut using tipped tracking town tooo too told today to tired times uses tightening tight throughout through this think things thing tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous ll not offset offered offer off of now notified nothing nonsense ok nonesence non nice next news newest new never often on must original own overpriced over outside out our others other or once options option opportunity opening opened ontario oneday one need multiple return luck married market many manservices making makes make made your maybe lower losing loose looking longer lol locations location may me much moment moving move more months monthly month money monetary mom means mistake might merge memberships membership members member medical owner owning pagos rate recently recent reason really reality reactivate re rather raising rectifying raises raised raise quickly quality putting put pushed recession redo parent residence retiring
Topic 11 | Coherence=-232227.98 | Top words= the and to subscription many too be you price where we your am access why checking luck increments canceling have greed now my of different change good will is increases country want fee need anticonsumer upcoming ridiculous moved in new locations location changed currency current back billing ill else hacked on hard by rotating fix something huge date service upping life amounts acceptance sick soon death another account often holder flat buggin ontario reality rule due lol broke losing year having town it rather drastically months keep face lost bill garbage games future goes gas get getting gonna gone girl give given going go gf youre fuel from feel fault far fan family fair fact extra extortion expensive expenses expected everything every even fees feet few food frequent free forth forever forcing for focused fiance gotten fixed first financially financial finally got hike gouging increased job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increasses join joint just last legacy left leave learning layoff later laid justify lack kids kidding kept keeps keeping increasing increase grandkids income help health he havent has hardly happy hand half had hacking hackednot guys greedy great her high higher how improvements im if idea husband hungry households hikes household house hosehold horrible history hiking euro don especially bills biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became barely billings bit awhile blindly caused caring cared care card cant cannot cancelling cancel can bye but business budget break boyfriend both bank away entertainment all agree againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts absurd about alarming allow automatically allowed aunt at as aren are apps aparently anyways anymore any annually an amount amercian also already almost cell changes changing lesser do divorce disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions deal days day daughter doesnt done charge dont entertaining enough end emails email elsewhere eliminating el edge easily earlier each duplicate drive drain down double damn dad cutting cut competitive compared company coming come combining combine college climbing climb city choose choice cheaper charging charges charged compromised connected consider costs customers customer currently creep credit covid courtesy cost consolidating continuous continues continue continually continously constantly constant less loyal let start stopped stop stepdad stealing stay states starting started squeeze so spouses spouse spending spend span sorry son someone stopping stranger stupid sub thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber some situation letting save seen seems see secure second scaling scales saving same single run rules rising risen rise ripped right return selection sense series services since significant signaling sign sight shoves shouldn should short she sharing share shady several settled set servicio thanks that thats was what were went well weeks week way waste warrant their wants wanted waiting wait vs virtue value vaccine whats when while who youll yet years yearly yall ya wouldn would worth workable work wont won without with willing wife ut using uses tracking told today tired tipped times time tightening tight throughout through this think things thing they these there tooo tried users try used use us upward up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retiring retired resume nice off notified nothing not nonsense nonesence non no next own news newest never needed must multiple much moving offer offered offset ok over outside out our others other original or options option opportunity opening opened only oneday one once move more monthly manservices makes make made loyalty lower loose looking longer long ll living live little limiting limited limit like making market month married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may overpriced owner resubscribe raise really reactivate re rates rate raising raises raised quickly owning quality putting put pushed provider profits profit profiles reason recent recently
Topic 12 | Coherence=-227234.54 | Top words= to other need the for much it dont as money this save start time trying paying again will and of before use just possible like subscriptions first things moved care take services with using one have now been outside two there rising multiple cannot summer us reduce house months significant we spending am get bills cut barely second play coming users at drain is down apps discontinue weeks several signaling right break political virtue billings keep stopped membership redo service increasing increase in platforms prefer keeps lol choose pop free given give forever girl forth games frequent garbage from getting fuel gas future gf youre forcing fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end fact family food fan focused flat fixed fix financially financial finally go few feet fees feel fee fault far fiance hand goes increased into interested instead inflation increments increasses increases income iny improvements im ill if idea husband hungry intolerable isn how justify last laid lack kids kidding kept keeping joint isnt join job jacking itself its issues issue huge households going greed half had hacking hackednot hacked guys greedy great happy grandkids gouging gotten got good gonna gone email hard household higher hosehold horrible holder history hiking hikes hike high hardly her help health he having havent has emails direction elsewhere bill biden biased biannually bf between better benefits benefit being begin becoming because became be bank back awhile biggest billing automatically bit cared card cant cancelling canceling cancel can bye by but business buggin budget broke boyfriend both blindly away aunt else agree after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming aren all are aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed allow caring caused cell layoff differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting customers customer different disappointed change disgusting eliminating el edge easily earlier each duplicate due drive drastically double done don doesnt do divorce disgusts currently current currency creep come combining combine college climbing climb city choice checking cheaper charging charges charged charge changing changes changed company compared competitive continues credit covid courtesy country costs cost continuous continue compromised continually continously constantly constant consolidating consider connected later loyal learning stay starting started squeeze spouses spouse spend span sorry soon son something someone some so situation single since states stealing sight stepdad temporary temporarily taste talk taking system switching support success subscription subscribers subscriber sub stupid stranger stopping stop sign sick than saving run rules rule rotating risen rise ripped ridiculous return retiring retired resume resubscribe restriction restrict restart respect same scales shoves scaling shouldn should short she sharing share shady settled set servicio series sense selection seen seems see secure terrible thank leave who where when whats what were went well week way waste was warrant wants wanted want waiting wait while why value wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vs vaccine thanks town too told today tired tipped times tightening tight throughout through think thing they these their thats that tooo tracking ut tried uses used upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice try residence reside repurposing news new never needed my must moving move more monthly month monetary moment mom mistake mind might merge newest next members nice only oneday once on ok often offset offered offer off notified nothing not nonsense nonesence non no memberships member replace looking long locations location ll living live little limiting limited limit life letting let lesser less legacy left longer loose medical losing means me maybe may married market many manservices making makes make made luck loyalty your lower lost ontario opened opening raises raise quickly quality putting put pushed provider profits profit profiles problem pricing prices price president prescription preemptively raised raising
Topic 13 | Coherence=-229305.68 | Top words= and price be is the more money to increases will back saving can with sharing need taking deal break continuous new problem just of greed ll loose we from fee subscription benefit reality added climb increased better acceptance bit charges when getting continues lack rent per expenses dad cut month combining accounts tired broke married almost raise might business biggest nothing paying over you do caring cost layoff stupid now summer own choice everything raised afford fuel going fees gone feel gonna fault far fan family good fair got gotten fact gouging face grandkids great extra extortion greedy guys expensive expected feet goes frequent go free future games forth forever garbage forcing gas get for food focused flat fixed fix first financially gf financial finally fiance few girl give given hacked youre hackednot isnt job jacking itself its it issues issue isn joint iny intolerable into interested instead inflation increments join justify increasing learning letting let lesser less legacy left leave later keep last laid kids kidding kept keeps keeping increasses increase hacking havent every high her help health he having have hikes has hardly hard happy hand half had hike hiking income hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder higher drastically even being billing bill biden biased biannually bf between benefits begin euro before been becoming because became barely bank awhile billings bills blindly both change cell caused cared care card cant cannot cancelling canceling cancel bye by but buggin budget boyfriend away automatically aunt allow alarming agree againlater again after adicional addtional addresses additional addition adding activities acct account access absurd about all allowed at already as aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also changed changes changing drain double dont done don doesnt divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined down like death drive especially entertainment entertaining enough end emails email elsewhere else eliminating el edge easily earlier each duplicate due decisions days charge constant consider connected compromised competitive compared company coming come combine college climbing city choose checking cheaper charging charged consolidating constantly day continously daughter date damn cutting customers customer currently current currency creep credit covid courtesy country costs continue continually life loyal limit started stopping stopped stop stepdad stealing stay states starting start something squeeze spouses spouse spending spend span sorry soon stranger sub subscriber subscribers their thats that thanks thank than terrible temporary temporarily taste talk take system switching support success subscriptions son someone these second service series sense selection seen seems see secure scaling some scales save same run rules rule rotating rising services servicio set settled so situation single since significant signaling sign sight sick shoves shouldn should short she share shady several there they rise waste whats what were went well weeks week way was vaccine warrant wants wanted want waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife value ut thing tipped try tried tracking town tooo too told today times using time tightening tight throughout through this think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under risen ripped limited nice offer off notified not nonsense nonesence non no next moved news newest never needed my must multiple much offered offset often ok out our others other original or options option opportunity opening opened ontario only oneday one once on moving move overpriced looking make made luck loyalty your lower lost losing longer months long lol locations location living live little limiting makes making manservices many monthly monetary moment mom mistake mind merge memberships membership members member medical means me maybe may market outside owner right rather rectifying recession recently recent reason really reactivate re rates profits rate raising raises quickly quality putting put pushed redo reduce reducing reflect
Topic 14 | Coherence=-226363.22 | Top words= it and afford this at can service customer the now am will do care customers time increase garbage up going rate your even right about just cant pay income fixed job no month unable lost help me billing date change on all keeps cancel alarming long didnt again let for to first feel subscriber increasing retired non loyalty there charge high anymore longer any justify upping cannot bills eliminating fee monthly changes system membership rates by way interested increased caused due expensive greed extortion greedy everything great gf gonna girl grandkids gouging give given gotten go getting got good goes expected gone expenses fact extra far fees feet few fiance finally financial fault financially fix flat focused food hacked fan get forcing forever forth family fair free frequent from fuel future games face gas guys youre hackednot keeping joint join jacking itself its issues issue isnt isn is iny intolerable into instead inflation keep kept hacking kidding like life letting lesser less legacy left leave learning layoff later last laid lack kids increments increasses increases in hike higher her health he having havent have has hardly hard happy hand half had hikes hiking history hungry improvements im ill if idea husband huge holder how households household house hosehold horrible every down euro billings biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became be bill bit bank blindly changing changed cell caring cared card cancelling canceling bye but business buggin budget broke break boyfriend both barely back especially allowed agree againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd allow almost awhile already away automatically aunt as aren are apps aparently anyways anticonsumer another annually an amounts amount amercian also charged charges charging dont don doesnt divorce disgusts disgusting discontinue disappointed direction different differences deteriorated delivering declined decisions death deal days done double cheaper limited entertainment entertaining enough end emails email elsewhere else el edge easily earlier each duplicate drive drastically drain day daughter damn dad consider connected compromised competitive compared company coming come combining combine college climbing climb city choose choice checking consolidating constant constantly covid cutting cut currently current currency creep credit courtesy continously country costs cost continuous continues continue continually limit loyal limiting squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger thats taking thanks thank than terrible temporary temporarily taste talk take stupid switching support summer success subscriptions subscription subscribers sub someone some so scales sense selection seen seems see secure second scaling saving situation save same run rules rule rotating rising risen series services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled that their little week where when whats what were went well weeks we who waste was warrant wants wanted want waiting wait while why these wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing vs virtue value tipped tried tracking town tooo too told today tired times vaccine tightening tight throughout through think things thing they try trying twice two ut using uses users used use us upward upcoming until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped ridiculous nonsense offset offered offer off of notified nothing not nonesence ok nice next news newest new never needed need often once return original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday my must multiple lower market many manservices making makes make made luck losing much loose looking lol locations location ll living live married may maybe means moving moved move more months money monetary moment mom mistake mind might merge memberships members member medical owner owning pagos raising recently recent reason really reality reactivate re rather raises profit raised raise quickly quality putting put pushed provider recession rectifying redo reduce
Topic 15 | Coherence=-224513.84 | Top words= to prices and additional profit starting last profiles greedy after increase raising charge just year for is are off business you laid when of so guys making make resubscribe dont well doesnt your decisions sense expensive time at others switching compared expenses got constantly reducing can will household only limiting boyfriend take we tired company games subscribers playing with back it being be lol use sick ripped activities better even single moved easily secure second unneeded too summer hackednot health anymore one need yet adding offer iny gone going gf girl get gonna extortion getting euro give face given fact expected go goes entertaining especially entertainment gas forth everything garbage family far fault fee feel fees feet few fiance finally good financial financially first fix fixed flat every extra food forcing forever fan free frequent from fair fuel future focused youre gotten instead issues issue isnt isn intolerable into interested inflation im increments increasses increasing increases increased income in its itself jacking job left leave learning layoff later lack kids kidding kept keeps keeping keep justify joint join improvements ill gouging happy having havent end have has hardly hard hand if half had hacking hacked greed great grandkids he help her high idea husband hungry huge how households house hosehold horrible holder history hiking hikes hike higher enough disgusts emails bills billing bill biggest biden biased biannually bf between benefits benefit begin before been becoming because became barely billings bit awhile blindly caring cared care card cant cannot cancelling canceling cancel bye by but buggin budget broke break both bank away email allow alarming agree againlater again afford adicional addtional addresses addition added acct accounts account access acceptance absurd about all allowed automatically almost aunt as aren apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already caused cell change disgusting disappointed direction different differences didnt deteriorated delivering declined death deal days day daughter date damn dad cutting discontinue less changed divorce elsewhere else eliminating el edge earlier each duplicate due drive drastically drain down double done don do cut customers customer currently coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged changing changes competitive compromised connected costs current currency creep credit covid courtesy country cost consider continuous continues continue continually continously constant consolidating legacy loyal lesser spend stay states started start squeeze spouses spouse spending span thanks sorry soon son something someone some situation since stealing stepdad stop stopped than terrible temporary temporarily taste talk taking system support success subscriptions subscription subscriber sub stupid stranger stopping significant signaling sign scaling saving save same run rules rule rotating rising risen rise right ridiculous return retiring retired resume restriction scales see sight seems shoves shouldn should short she sharing share shady several settled set servicio services service series selection seen thank that let wants were went weeks week way waste was warrant wanted thats want waiting wait vs virtue value vaccine ut what whats where while youll years yearly yall ya wouldn would worth workable work wont won without willing wife why who using uses users town told today tipped times tightening tight throughout through this think things thing they these there their the tooo tracking used tried us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand under unable two twice trying try restrict restart respect must nice next news newest new never needed my multiple residence much moving move more months monthly month money no non nonesence nonsense options option opportunity opening opened ontario oneday once on ok often offset offered now notified nothing not monetary moment mom loyalty lost losing loose looking longer long locations location ll living live little limited limit like life letting lower luck mistake made mind might merge memberships membership members member medical means me maybe may married market many manservices makes or original other rather rate raises raised raise quickly quality putting put pushed provider profits problem pricing price president prescription prefer rates re power
Topic 16 | Coherence=-235970.16 | Top words= is too for it prices you expensive price keep the year me now going much when your will not good to but have worth seems really upward unfortunately times many added this pay rate every was nothing are be service no services about months or amount charging canceling increase hike changing can ok greedy started before cancel each offset stupid better options resume card vs benefits done rising increasses declined nonsense offer everything like longer way itself given rule lesser thats others series popular preemptively bank next absurd adding upping its tired stop overpriced later users afford think platform nice please jacking few decisions been charge addtional town future girl give games gf fuel getting get garbage gas youre from fact fee fault far fan family fair face frequent extra extortion expenses expected even euro feel fees feet fiance finally financial financially first fix fixed flat focused food forcing forever forth free go hard goes gone inflation increments increasing increases increased income in improvements im ill if idea husband hungry huge instead interested into joint kidding kept keeps keeping justify just join intolerable job issues issue isnt isn iny how households household guys hand half had hacking hackednot hacked greed entertainment great grandkids gouging gotten got gonna happy hardly house higher hosehold horrible holder history hiking hikes high has her help health he having havent especially disgusting entertaining blindly bills billings billing bill biggest biden biased biannually bf between benefit being begin becoming because became barely bit both awhile boyfriend changed change cell caused caring cared care cant cannot cancelling bye by business buggin budget broke break back away enough almost allow all alarming agree againlater again after adicional addresses additional addition activities acct accounts account access acceptance allowed already automatically also aunt at as aren apps aparently anyways anymore any anticonsumer another annually and an amounts amercian am changes charged charges doesnt divorce disgusts lack discontinue disappointed direction different differences didnt deteriorated delivering death deal days day daughter date do don cheaper dont end emails email elsewhere else eliminating el edge easily earlier duplicate due drive drastically drain down double damn dad cutting cut consider connected compromised competitive compared company coming come combining combine college climbing climb city choose choice checking consolidating constant constantly covid customers customer currently current currency creep credit courtesy continously country costs cost continuous continues continue continually kids loyal laid states start squeeze spouses spouse spending spend span sorry soon son something someone some so situation single since starting stay temporarily stealing talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stranger stopping stopped stepdad significant signaling sign sight scales saving save same run rules rotating risen rise ripped right ridiculous return retiring retired resubscribe restriction scaling second secure share sick shoves shouldn should short she sharing shady see several settled set servicio sense selection seen taste temporary last where what were went well weeks week we waste warrant wants wanted want waiting wait virtue value vaccine whats while terrible who youll yet years yearly yall ya wouldn would workable work wont won without with willing wife why ut using uses used today tipped time tightening tight throughout through things thing they these there their that thanks thank than told tooo tracking unfair use us upcoming up until unneeded unnecessary unemployed tried understand under unable two twice trying try restrict restart respect need must multiple moving moved move more monthly month money monetary moment mom mistake mind might merge memberships my needed residence never opened ontario only oneday one once on often offered off of notified nonesence non news newest new membership members member medical location ll living live little limiting limited limit life letting let less legacy left leave learning layoff locations lol long makes means maybe may married market manservices making make looking made luck loyalty lower lost losing loose opening opportunity option prefer rates raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing president rather
Topic 17 | Coherence=-229533.94 | Top words= subscription my with has in an already life price so have anymore forcing choice up expensive especially iny keeping pop nice hikes make face subscriber shoves one you lost currently me more not moving your is worth just need bf he the dont for profiles issues future husband expected else are everything sharing stepdad keeps getting much new newest than too someone offered wife phone aparently be spouse hacking policies pleased financial agree hike joint free ontario significant location situation increase moved changed kidding fault or remarried benefit now re kids focused aren go given games garbage gas give get fuel goes girl gf youre from feel entertainment euro even every expenses extortion extra fact fair family fan far fee fees frequent feet few fiance finally financially first fix gone fixed flat food forever forth going having gonna good isn intolerable into interested instead inflation increments increasses increasing increases increased income improvements im ill isnt issue it lack leave learning layoff later last laid kept its keep justify join job jacking itself if idea hungry guys happy hand half had hackednot hacked greedy hardly greed great grandkids gouging gotten got hard havent huge holder how households household house hosehold horrible history enough hiking higher high her help health entertaining down end better billings billing bill biggest biden biased biannually between benefits bit being begin before been becoming because became barely bills blindly back can cared care card cant cannot cancelling canceling cancel bye both by but business buggin budget broke break boyfriend bank awhile caused adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about againlater all away another automatically aunt at as apps anyways any anticonsumer annually allow and amounts amount amercian am also almost allowed caring cell emails declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day daughter date damn dad disgusting divorce cut duplicate email elsewhere eliminating el edge easily earlier each due do drive drastically drain legacy double done don doesnt cutting customers change city company coming come combining combine college climbing climb choose competitive checking cheaper charging charges charged charge changing changes compared compromised customer cost current currency creep credit covid courtesy country costs continuous connected continues continue continually continously constantly constant consolidating consider left loyal less states sub stupid stranger stopping stopped stop stealing stay starting thing started start squeeze spouses spending spend span sorry subscribers subscriptions success summer these there their thats that thanks thank terrible temporary temporarily taste talk taking take system switching support soon son something sense seen seems see secure second scaling scales saving save same run rules rule rotating rising risen rise selection series some service single since signaling sign sight sick shouldn should short she share shady several settled set servicio services they things lesser way whats what were went well weeks week we waste think was warrant wants wanted want waiting wait vs when where while who youll yet years yearly year yall ya wouldn would workable work wont won without willing will why virtue value vaccine twice try tried tracking town tooo told today to tired tipped times time tightening tight throughout through this trying two ut unable using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous news of notified nothing nonsense nonesence non no next never return needed must multiple move months monthly month money off offer offset often over outside out our others other original options option opportunity opening opened only oneday once on ok monetary moment mom loyalty losing loose looking longer long lol locations ll living live little limiting limited limit like letting let lower luck mistake made mind might merge memberships membership members member medical means maybe may married market many manservices making makes overpriced own owner rectifying recently recent reason really reality reactivate rather rates rate raising raises raised raise quickly quality putting put recession redo provider
Topic 18 | Coherence=-224001.21 | Top words= you your and charge re for is my thank no anyways ut sign uses daughter she in college extra bye not worth good when it going me to subscriptions we are got consolidating what that profits with moving fiance kidding married up getting cant like after allow house already continues our two raising seen set budget had sharing merge rise multiple households caused hacked access spouses sight last week happy opportunity given gotten fuel future gouging goes garbage games girl get go gonna gas gf gone give fix from fan fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails family far frequent fault free forth forever forcing food focused flat fixed first financially financial finally few feet fees feel fee grandkids he great greed join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses joint just justify learning letting let lesser less legacy left leave layoff keep later laid lack kids kept keeps keeping increasing increases increased has her help health elsewhere having havent have hardly higher hard hand half hacking hackednot guys greedy high hike increase hungry income improvements im ill if idea husband huge hikes how household hosehold horrible holder history hiking email youre else being biden biased biannually bf between better benefits benefit begin awhile before been becoming because became be barely bank biggest bill billing billings card cannot cancelling canceling cancel can by but business buggin broke break boyfriend both blindly bit bills back away eliminating addition agree againlater again afford adicional addtional addresses additional adding automatically added activities acct accounts account acceptance absurd about alarming all allowed almost aunt at as aren apps aparently anymore any anticonsumer another annually an amounts amount amercian am also care cared caring decisions disappointed direction different differences didnt deteriorated delivering declined death cell deal days day date damn dad cutting cut discontinue disgusting disgusts life el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt do customers customer currently company come combining combine climbing climb city choose choice checking cheaper charging charges charged changing changes changed change coming compared current competitive currency creep credit covid courtesy country costs cost continuous continue continually continously constantly constant consider connected compromised divorce loyal limit spouse stepdad stealing stay states starting started start squeeze spending situation spend span sorry soon son something someone some stop stopped stopping stranger terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub stupid so single thanks rotating scaling scales saving save same run rules rule rising since risen ripped right ridiculous return retiring retired resume second secure see seems significant signaling sick shoves shouldn should short share shady several settled servicio services service series sense selection than thats limited warrant whats were went well weeks way waste was wants users wanted want waiting wait vs virtue value vaccine where while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife using used the throughout told today tired tipped times time tightening tight through use this think things thing they these there their too tooo town tracking us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try tried resubscribe restriction restrict news now notified nothing nonsense nonesence non nice next newest months new never needed need must much moved move of off offer offered others other original or options option opening opened ontario only oneday one once on ok often offset more monthly restart longer made luck loyalty lower lost losing loose looking long month lol locations location ll living live little limiting make makes making manservices money monetary moment mom mistake mind might memberships membership members member medical means maybe may market many out outside over putting rather rates rate raises raised raise quickly quality put overpriced pushed provider profit profiles problem pricing prices price reactivate reality really
Topic 19 | Coherence=-223574.35 | Top words= price the your are or prices raising like other that and since keep in hike has you selection was member stop rates one thing do just have higher than span others who drastically same choose deteriorated months gone increasing between putting kids me made into up ridiculous direction goes continually is scales entertaining finally tipped sorry oneday biannually far went earlier increase activities because after twice differences ill any improvements options without again company rising seems high became increases workable access costs stupid inflation pls recession nonesence please limiting wont support lower worth amounts by vs hacked of many huge every especially from fuel future extortion fee games fault euro garbage extra feel entertainment face gas get fan family fact getting gf frequent girl fair feet everything financially fix fixed expected financial fiance few flat even fees expenses focused food for forcing forever forth expensive free first youre give given isnt isn iny intolerable interested instead increments increasses increased income im if idea husband hungry issue issues it keeps later last laid lack kidding kept keeping its justify joint join job jacking itself how households household grandkids hacking hackednot guys greedy greed great gouging half gotten got good gonna going go had hand house her hosehold horrible holder history hiking hikes help happy health he having havent hardly hard enough disgusts end bills billing bill biggest biden biased bf better benefits benefit being begin before been becoming be barely bank billings bit awhile blindly care card cant cannot cancelling canceling cancel can bye but business buggin budget broke break boyfriend both back away caring allow alarming agree againlater afford adicional addtional addresses additional addition adding added acct accounts account acceptance absurd about all allowed automatically almost aunt at as aren apps aparently anyways anymore anticonsumer another annually an amount amercian am also already cared caused emails learning discontinue disappointed different didnt delivering declined decisions death deal days day daughter date damn dad cutting cut disgusting divorce customer doesnt email elsewhere else eliminating el edge easily each duplicate due drive drain down double dont done don customers currently cell coming combining combine college climbing climb city choice checking cheaper charging charges charged charge changing changes changed change come compared current competitive currency creep credit covid courtesy country cost continuous continues continue continously constantly constant consolidating consider connected compromised layoff loyal leave stepdad stay states starting started start squeeze spouses spouse spending spend soon son something someone some so situation stealing stopped significant stopping terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscription subscribers subscriber sub stranger single signaling thanks see second scaling saving save run rules rule rotating risen rise ripped right return retiring retired resume resubscribe secure seen sign sense sight sick shoves shouldn should short she sharing share shady several settled set servicio services service series thank thats restrict whats were well weeks week we way waste warrant wants wanted want waiting wait virtue value vaccine ut what when uses where youll yet years yearly year yall ya wouldn would work won with willing will wife why while using users their town too told today to tired times time tightening tight throughout through this think things they these there tooo tracking used tried use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying try restriction restart left next newest new never needed need my must multiple much moving moved move more monthly month money monetary news nice mom no opened ontario only once on ok often offset offered offer off now notified nothing not nonsense non moment mistake opportunity loose longer long lol locations location ll living live little limited limit life letting let lesser less legacy looking losing mind lost might merge memberships membership members medical means maybe may married market manservices making makes make luck loyalty opening option respect re rate raises raised raise quickly quality put pushed provider profits profit profiles problem pricing president prescription prefer rather reactivate power
Topic 20 | Coherence=-227332.99 | Top words= price and is will increase use my pay increases ridiculous be change upcoming different we of locations where on anticonsumer what quality this fee down too in should customer cost up services service raising going why much time was budget pick to two market manservices drive competitive shouldn blindly half from tightening againlater prices charged return continously restriction garbage horrible keep able both short anymore paying live after addresses loyal waste won went since happy being reflect spend raises spending gouging temporarily willing lack throughout offered last year history isnt would back becoming as next scaling learning keeps rather rates became payday living don free lost profits possible are subscriptions trying policy less extortion family fair fact face increasses extra expensive far expenses increments expected everything every even fan hosehold euro increasing focused flat fixed fix first financially financial who finally fiance few feet fees feel fault especially for iny each duplicate due wife drastically drain double entertainment way dont done isn doesnt do earlier easily edge intolerable el eliminating else into elsewhere email emails end interested enough entertaining instead inflation food forcing holder has having havent have if ill im hardly forever hard improvements hand were had hacking idea he husband health help her hungry high higher huge hike hikes how hiking households household house hackednot hacked guys girl forth week increased frequent while weeks fuel future games when gas get getting gf give greedy given go goes divorce gone gonna income good got gotten well grandkids great greed whats delivering disgusts barely benefits benefit begin before been because yall bank between awhile away automatically aunt at aren apps better bf bye ya but business buggin broke break boyfriend wouldn bit biannually bills billings billing bill biggest biden biased aparently anyways any added afford adicional addtional youll additional addition adding activities yearly acct accounts account access acceptance absurd about you again yet agree another annually years an amounts amount amercian am also already almost allowed allow all alarming by can disgusting covid customers without currently current currency creep credit courtesy cutting country costs continuous continues continue continually wont cut dad cancel issues discontinue disappointed direction with differences didnt deteriorated declined damn decisions death deal days day daughter date constantly constant consolidating caused workable charge changing changes changed worth cell caring consider cared care card cant cannot cancelling canceling charges charging cheaper checking connected compromised work compared company coming come combining combine college climbing climb city choose choice issue kept it rise same run rules rule rotating rising risen ripped saving right upping upward retiring retired resume resubscribe save scales unnecessary unneeded sharing share shady several settled set servicio until second series sense selection seen seems see secure us restrict restart putting re rate used raised raise quickly users put respect pushed provider profit profiles problem pricing uses reactivate reality really reason residence reside repurposing replace rent renewing remarried rejoin reducing reduce redo rectifying recession recently recent she unfortunately its thank these there their the thats that thanks than thing terrible temporary taste talk taking take system they things unfair unable tried tracking town tooo twice told today tired think tipped times under understand tight through unemployed switching support summer so span sorry soon son something someone some situation success single significant signaling sign sight sick shoves spouse spouses squeeze start subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started using president prescription married members member medical means me maybe may want memberships many wanted making makes make made luck membership merge prefer months must multiple waiting moving moved move more monthly might month money monetary moment mom mistake mind loyalty your lower try left leave layoff later laid kids kidding keeping losing justify just joint join job jacking itself legacy lesser let letting loose looking longer long lol wants location ll warrant little limiting limited limit like life wait need needed vaccine ut phone personal person per people payment value overpriced past passed parents parent pagos
Topic 21 | Coherence=-220390.34 | Top words= will this come back the are months you to only it for if not again email that consider good fact me give rectifying makes issue reactivate forever once never want have few ill bye in tight money budget try is and business get moving now rejoin but settled return wait right may or elsewhere restart monetary new under break hungry biased politically join later future interested free household much time flat fix fixed food focused learning left forcing leave forth instead fuel frequent from financially games garbage gas layoff getting gf girl given go goes going last first feel financial especially expected lesser everything every even euro entertainment finally let entertaining enough end emails letting expenses expensive extortion extra face less fair family fan far fault fee gonna fees feet legacy fiance gone greed laid jacking idea husband huge how itself households job history house hosehold horrible joint holder just its issues isnt im isn improvements income increase increased iny increases increasing increasses intolerable into increments inflation justify keep got hacked happy hand half had hacking hackednot guys keeping greedy great grandkids lack gouging gotten hard hardly has kids havent having he health help her kidding high higher kept hikes hiking keeps hike youre else before biannually bf between better benefits benefit being begin been biggest becoming because became be barely bank awhile away biden bill aunt can cared care card cant cannot cancelling canceling cancel by billing buggin broke boyfriend both blindly bit bills billings automatically at caused adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as annually aren apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed caring cell eliminating decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts customers drastically el edge easily earlier each duplicate due drive drain divorce like down double dont done don doesnt do cut customer change choice coming combining combine college climbing climb city choose checking compared cheaper charging charges charged charge changing changes changed company competitive currently cost current currency creep credit covid courtesy country costs continuous compromised continues continue continually continously constantly constant consolidating connected life loyal limit start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid limited take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber something someone some scaling series sense selection seen seems see secure second scales so saving save same run rules rule rotating rising service services servicio set situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several thanks thats their week where when whats what were went well weeks we value way waste was warrant wants wanted waiting vs while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine there tipped tried tracking town tooo too told today tired times ut tightening throughout through think things thing they these trying twice two unable using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand risen rise ripped no offer off of notified nothing nonsense nonesence non nice move next news newest needed need my must multiple offered offset often ok overpriced over outside out our others other original options option opportunity opening opened ontario oneday one on moved more owner longer luck loyalty your lower lost losing loose looking long monthly lol locations location ll living live little limiting made make making manservices month moment mom mistake mind might merge memberships membership members member medical means maybe married market many own owning ridiculous raises reason really reality re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits recent recently recession redo
Topic 22 | Coherence=-236374.79 | Top words= price the not to for worth no increase with me enough increases is good it way are service be raised currently subscription longer money has used long high new in using willing do anymore time as value months paying cost over renewing support while rules options great been keeps rise its something am family pushed really news edge system rates dont respect sight run legacy prices members justify workable amount policy changes frequent agree living isnt will daughter end go every increasing quality disappointed sub higher shoves isn pay reside too from given face at spouses original limiting even profiles spend now last canceling cancelling greed an grandkids gouging gotten got and gonna gone annually going another goes anticonsumer any greedy guys hacked amercian having havent already have also hardly hard hackednot happy amounts hand half had hacking give girl anyways finally flat fixed fix first financially financial fiance food few feet fees feel away fee focused automatically gf fuel getting get gas garbage games future aparently forcing apps aren aunt free forth forever almost he allowed adding accounts acct activities added issues issue addition jacking additional iny intolerable into interested instead itself account increments absurd laid lack kids about kidding kept keeping job keep acceptance just joint access join inflation increasses health history againlater house hosehold alarming horrible holder hiking households hikes hike all allow her help household how addresses improvements addtional increased adicional income afford after im huge again ill if idea husband hungry fault far fan constantly continues continue break continually broke continously constant boyfriend consolidating consider connected compromised competitive compared continuous costs company blindly damn dad cutting cut customers customer both country current currency creep credit covid courtesy budget coming bit caring by changed change bye cell caused can changing cared cancel care card cant cannot but charge come climb combining buggin combine college business climbing city charged choose choice checking cheaper charging charges date day awhile better entertainment entertaining being benefit benefits emails email especially elsewhere else eliminating between el bf begin euro earlier bank fair fact back extra extortion expensive barely before expenses expected became everything because becoming easily each days deteriorated bill direction different differences didnt billing delivering disgusting declined decisions billings bills death deal discontinue disgusts duplicate double due drive drastically drain down biannually biased divorce done biden don biggest doesnt later youre loyal layoff stopped stepdad stealing stay states starting started start squeeze spouse spending span sorry soon son someone some so stop stopping single stranger thanks thank than terrible temporary temporarily taste talk taking take switching summer success subscriptions subscribers subscriber stupid situation since learning seems secure second scaling scales saving save same rule rotating rising risen ripped right ridiculous return retiring retired see seen significant selection signaling sign sick shouldn should short she sharing share shady several settled set servicio services series sense that thats their whats were went well weeks week we waste was warrant wants wanted want waiting wait vs virtue vaccine what when there where youll you yet years yearly year yall ya wouldn would work wont won without wife why who ut uses users use town tooo told today tired tipped times tightening tight throughout through this think things thing they these tracking tried try unnecessary us upward upping upcoming up until unneeded unfortunately trying unfair unemployed understand under unable two twice resume resubscribe restriction newest needed need my must multiple much moving moved move more monthly month monetary moment mom mistake mind never next opened nice only oneday one once on ok often offset offered offer off of notified nothing nonsense nonesence non might merge memberships membership looking lol locations location ll live little limited limit like life letting let lesser less left leave loose losing lost many member medical means maybe may married market manservices lower making makes make made luck loyalty your ontario opening restrict rather raising raises raise quickly putting put provider profits profit problem pricing president prescription prefer preemptively power possible rate re
Topic 23 | Coherence=-232081.73 | Top words= and price not the of anymore to too increase it for out keep many money raising just share up worth don subscription bye fees people hikes more cant want go sharing raised are thanks getting using recent hand continues us even letting talk limited now newest lack rules continue afford try caused yet squeeze selection customers biden far gotten president expensive inflation fault but budget no by times spending made got happy damn terrible services really adding amount youll willing kids awhile layoff gas given give girl leave gf get last later forcing from forever forth free garbage games frequent learning future fuel is first food every legacy extra extortion expenses expected everything less fact euro especially entertainment entertaining enough end face fair focused finally flat fixed fix goes financially financial fiance family few feet feel fee left fan laid great going gone im jacking ill if idea husband hungry huge how households household job house hosehold horrible improvements in itself instead iny intolerable into isnt issue interested increments income issues increasses increasing increases increased its holder history hiking guys hard half had hacking hackednot hacked greedy kidding greed isn grandkids gouging good gonna hardly has join keeps hike joint higher high justify keeping her have help kept health he having havent emails youre email begin biased biannually bf between better benefits benefit being before cell been becoming because became be barely bank back biggest bill billing billings cared care card cannot cancelling canceling cancel can business buggin broke break boyfriend both blindly bit bills away automatically aunt alarming againlater again after adicional addtional addresses additional addition added activities acct accounts account access acceptance absurd about agree all at allow as aren apps aparently anyways any anticonsumer another annually an amounts amercian am also already almost allowed caring change elsewhere declined discontinue disappointed direction different differences didnt deteriorated delivering decisions changed death deal days day daughter date dad cutting disgusting disgusts lesser do else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done doesnt cut customer currently company come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes coming compared current competitive currency creep credit covid courtesy country costs cost continuous continually continously constantly constant consolidating consider connected compromised divorce loyal let spend stealing stay states starting started start spouses spouse span since sorry soon son something someone some so situation stepdad stop stopped stopping than temporary temporarily taste taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger single significant life rising scaling scales saving save same run rule rotating risen signaling rise ripped right ridiculous return retiring retired resume second secure see seems sign sight sick shoves shouldn should short she shady several settled set servicio service series sense seen thank that thats way whats what were went well weeks week we waste their was warrant wants wanted waiting wait vs virtue when where while who you years yearly year yall ya wouldn would workable work wont won without with will wife why value vaccine ut tracking tooo told today tired tipped time tightening tight throughout through this think things thing they these there town tried uses trying users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resubscribe restriction restrict my non nice next news new never needed need must original multiple much moving moved move months monthly month nonesence nonsense nothing notified options option opportunity opening opened ontario only oneday one once on ok often offset offered offer off monetary moment mom loyalty lower lost losing loose looking longer long lol locations location ll living live little limiting limit like your luck mistake make mind might merge memberships membership members member medical means me maybe may married market manservices making makes or other restart pushed rates rate raises raise quickly quality putting put provider others profits profit profiles problem pricing prices prescription prefer rather re reactivate
 50%|█████     | 24/48 [1:09:42<1:35:53, 239.73s/it]
Topic 24 | Coherence=-225205.53 | Top words= and has much too consider company increasing biannually you entertaining increases far options price the after ill many seems other year in money prices keep on me been it of hike your cost years up from yall stealing havent because sharing stopping gone days waste so rather learning cant customers risen way annually jacking quickly increased member aren would focused food broke fuel tooo covid gas financial inflation be every deteriorated since increase she selection resume guys an must frequent given going go goes games give girl gf getting get garbage future youre free forth family fair fact face extra extortion expensive expenses expected everything even euro especially entertainment enough fan fault fee first forever forcing for flat fixed fix good feel financially finally fiance few feet fees gonna he got isn join job itself its issues issue isnt is just iny intolerable into interested instead increments increasses joint justify improvements layoff letting let lesser less legacy left leave later keeping last laid lack kids kidding kept keeps income im gotten had having have hardly hard happy hand half hacking health hackednot hacked greedy greed great grandkids gouging emails help if house idea husband hungry huge how households household hosehold her horrible holder history hiking hikes higher high end don email benefit bill biggest biden biased bf between better benefits being automatically begin before becoming became barely bank back awhile billing billings bills bit care card cannot cancelling canceling cancel can bye by but business buggin budget break boyfriend both blindly away aunt elsewhere adding againlater again afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow as are apps aparently anyways anymore any anticonsumer another amounts amount amercian am also already almost allowed cared caring caused declined disgusting discontinue disappointed direction different differences didnt delivering decisions cell death deal day daughter date damn dad cutting disgusts divorce do doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done like cut customer currently come combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change combining coming current compared currency creep credit courtesy country costs continuous continues continue continually continously constantly constant consolidating connected compromised competitive life loyal limit start stranger stopped stop stepdad stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stupid sub subscriber subscribers thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription something some thats run see secure second scaling scales saving save same rules situation rule rotating rising rise ripped right ridiculous return seen sense series service single significant signaling sign sight sick shoves shouldn should short share shady several settled set servicio services that their retired warrant what were went well weeks week we was wants using wanted want waiting wait vs virtue value vaccine whats when where while youll yet yearly ya wouldn worth workable work wont won without with willing will wife why who ut uses there tightening town told today to tired tipped times time tight users throughout through this think things thing they these tracking tried try trying used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring resubscribe limited news nothing not nonsense nonesence non no nice next newest more new never needed need my multiple moving moved notified now off offer our others original or option opportunity opening opened ontario only oneday one once ok often offset offered move months outside longer made luck loyalty lower lost losing loose looking long monthly lol locations location ll living live little limiting make makes making manservices month monetary moment mom mistake mind might merge memberships membership members medical means maybe may married market out over restriction raise reality reactivate re rates rate raising raises raised quality president putting put pushed provider profits profit profiles problem really reason recent recently
Average topic coherence for the top words is -226787.0281048444
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:08,  5.68it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.53it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.47it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.47it/s]
 10%|█         | 5/50 [00:00<00:08,  5.47it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.48it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.48it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.53it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.51it/s]
 20%|██        | 10/50 [00:01<00:07,  5.51it/s]
 22%|██▏       | 11/50 [00:01<00:07,  5.51it/s]
 24%|██▍       | 12/50 [00:02<00:06,  5.51it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.50it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.50it/s]
 30%|███       | 15/50 [00:02<00:06,  5.48it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.49it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.47it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.47it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.46it/s]
 40%|████      | 20/50 [00:03<00:05,  5.46it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.44it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.45it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.45it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.45it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.50it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.49it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.48it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.49it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.49it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.47it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.44it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.45it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.49it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.50it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.48it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.49it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.48it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.49it/s]
 78%|███████▊  | 39/50 [00:07<00:01,  5.50it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.49it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.49it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.47it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.47it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.47it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.47it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.43it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.43it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.45it/s]
 98%|█████████▊| 49/50 [00:08<00:00,  5.46it/s]
100%|██████████| 50/50 [00:09<00:00,  5.48it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.85it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.82it/s]
  6%|▌         | 3/50 [00:00<00:06,  6.79it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.77it/s]
 10%|█         | 5/50 [00:00<00:06,  6.76it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.79it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.77it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.76it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.76it/s]
 20%|██        | 10/50 [00:01<00:05,  6.77it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.77it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.79it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.81it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.81it/s]
 30%|███       | 15/50 [00:02<00:05,  6.82it/s]
 32%|███▏      | 16/50 [00:02<00:04,  6.81it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.80it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.78it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.79it/s]
 40%|████      | 20/50 [00:02<00:04,  6.78it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.77it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.77it/s]
 46%|████▌     | 23/50 [00:03<00:03,  6.75it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.77it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.76it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.76it/s]
 54%|█████▍    | 27/50 [00:03<00:03,  6.75it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.76it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.75it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.72it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.76it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.77it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.77it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.72it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.72it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.72it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.74it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.75it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.79it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.81it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.79it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.80it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.77it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.78it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.79it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.78it/s]
 94%|█████████▍| 47/50 [00:06<00:00,  6.79it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.79it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.76it/s]
100%|██████████| 50/50 [00:07<00:00,  6.77it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.68it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.65it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.62it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.62it/s]
 10%|█         | 5/50 [00:01<00:12,  3.61it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.62it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.61it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.60it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.60it/s]
 20%|██        | 10/50 [00:02<00:11,  3.58it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.57it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.59it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.59it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.58it/s]
 30%|███       | 15/50 [00:04<00:09,  3.59it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.59it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.59it/s]
 36%|███▌      | 18/50 [00:05<00:08,  3.59it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.59it/s]
 40%|████      | 20/50 [00:05<00:08,  3.60it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.59it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.58it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.59it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.59it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.60it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.61it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.61it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.61it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.60it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.59it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.60it/s]
 64%|██████▍   | 32/50 [00:08<00:05,  3.60it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.60it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.61it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.61it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.60it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.61it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.60it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.60it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.61it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.62it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.62it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.62it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.62it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.61it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.62it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.61it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.59it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.60it/s]
100%|██████████| 50/50 [00:13<00:00,  3.60it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.79it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.81it/s]
  6%|▌         | 3/50 [00:01<00:16,  2.79it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.79it/s]
 10%|█         | 5/50 [00:01<00:16,  2.78it/s]
 12%|█▏        | 6/50 [00:02<00:15,  2.77it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.76it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.76it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.77it/s]
 20%|██        | 10/50 [00:03<00:14,  2.77it/s]
 22%|██▏       | 11/50 [00:03<00:14,  2.76it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.77it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.76it/s]
 28%|██▊       | 14/50 [00:05<00:12,  2.77it/s]
 30%|███       | 15/50 [00:05<00:12,  2.78it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.80it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.79it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.77it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.77it/s]
 40%|████      | 20/50 [00:07<00:10,  2.77it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.78it/s]
 44%|████▍     | 22/50 [00:07<00:10,  2.79it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.79it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.80it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.78it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.78it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.77it/s]
 56%|█████▌    | 28/50 [00:10<00:07,  2.76it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.76it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.77it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.77it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.78it/s]
 66%|██████▌   | 33/50 [00:11<00:06,  2.78it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.79it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.78it/s]
 72%|███████▏  | 36/50 [00:12<00:05,  2.78it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.78it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.78it/s]
 78%|███████▊  | 39/50 [00:14<00:03,  2.78it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.78it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.77it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.77it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.76it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.76it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.77it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.78it/s]
 94%|█████████▍| 47/50 [00:16<00:01,  2.77it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.78it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.78it/s]
100%|██████████| 50/50 [00:18<00:00,  2.77it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.83it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.83it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.82it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.81it/s]
 10%|█         | 5/50 [00:02<00:24,  1.82it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.82it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.82it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.83it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.83it/s]
 20%|██        | 10/50 [00:05<00:21,  1.83it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.83it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.83it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.83it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.83it/s]
 30%|███       | 15/50 [00:08<00:19,  1.83it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.84it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.83it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.83it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.83it/s]
 40%|████      | 20/50 [00:10<00:16,  1.83it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.84it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.84it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.83it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.83it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.83it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.83it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.83it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.83it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.83it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.83it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.82it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.82it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.81it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.82it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.82it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.82it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.83it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.82it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.83it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.83it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.82it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.82it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.82it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.82it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.82it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.83it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.83it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.83it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.83it/s]
100%|██████████| 50/50 [00:27<00:00,  1.83it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.38it/s]
Topic 0 | Coherence=-215307.43 | Top words= my subscription not to it pay do is have but was that so just bill an after compromised ill card because are without charged your allowed credit wanted option told automatically bank rates thing same higher than who others hacked the use keeps increasing enough charging hardly think anymore notified today before el por servicio pagos adicional often rising customer lack workable customers about entertaining yearly agree frequent future fuel from instead life its free forth forever forcing for games gas garbage focused got let good gonna gone letting going goes go given give girl gf getting get food fixed isnt expected fact face extra extortion expensive expenses everything family every even euro issue especially entertainment fair fan flat finally gouging fix first financially financial like fiance far few feet fees feel fee fault gotten isn grandkids laid into kidding husband kids hungry huge how households household house hosehold job horrible intolerable holder kept idea if interested inflation increments increasses joint justify increases increased keeping increase income in improvements keep im history jacking join last hard happy legacy hand itself half less had hacking issues lesser guys greedy greed great left iny leave high hiking hikes later hike layoff end her has help learning health he having havent hackednot youre emails bit billings billing biggest biden biased biannually bf between better benefits benefit being begin been becoming became be bills blindly back both caring cared care cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend barely awhile cell allow alarming againlater again afford addtional addresses additional addition adding added activities acct accounts account access acceptance absurd all almost away already aunt at as aren apps aparently anyways any anticonsumer another annually and amounts amount amercian am also caused change email divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date disgusts limited dad doesnt elsewhere else eliminating edge easily earlier each duplicate due drive drastically drain down double dont done don damn cutting changed competitive company coming come combining combine college climbing climb city choose choice checking cheaper charges charge changing changes compared connected cut consider currently current currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating limit loyal limiting spend states starting started start squeeze spouses spouse spending span stealing sorry soon son something someone some situation single stay stepdad terrible summer temporarily taste talk taking take system switching support success stop subscriptions subscribers subscriber sub stupid stranger stopping stopped since significant signaling rule secure second scaling scales saving save run rules rotating sign risen rise ripped right ridiculous return retiring retired see seems seen selection sight sick shoves shouldn should short she sharing share shady several settled set services service series sense temporary thank little waste what were went well weeks week we way warrant when wants want waiting wait vs virtue value vaccine whats where thanks would youll you yet years year yall ya wouldn worth while work wont won with willing will wife why ut using uses tight town tooo too tired tipped times time tightening throughout users through this things they these there their thats tracking tried try trying used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume resubscribe restriction never nonesence non no nice next news newest new needed nothing need must multiple much moving moved move more nonsense now restrict only other original or options opportunity opening opened ontario oneday of one once on ok offset offered offer off months monthly month loose makes make made luck loyalty lower lost losing looking money longer long lol locations location ll living live making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married our out outside quickly reactivate re rather rate raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reality really reason recent
Topic 1 | Coherence=-232170.23 | Top words= prices you services raising keep so better and youre cheaper reason other that kept for gonna im people was are only using out extra charging your it charge now to the do pay guys others expensive dont want needed why good put not forth switching compared need in upping activities charges cost of continously elsewhere restriction declined on amounts huge offer lesser euro by currency card summer warrant waste health politically even putting biased we increase date gf girl gone give goes getting go given got get going food gas fair fees feel fee fault far fan family fact few face extortion expenses expected everything every especially feet fiance garbage forcing games future fuel from frequent free forever gouging finally focused flat fixed fix first financially financial gotten has grandkids great jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing job join joint later let less legacy left leave learning layoff last just laid lack kids kidding keeps keeping justify increases increased income happy he having havent have entertaining hardly hard hand her half had hacking hackednot hacked greedy greed help high improvements household ill if idea husband hungry how households house higher hosehold horrible holder history hiking hikes hike entertainment down enough been biannually bf between benefits benefit being begin before becoming aunt because became be barely bank back awhile away biden biggest bill billing cancelling canceling cancel can bye but business buggin budget broke break boyfriend both blindly bit bills billings automatically at end addition againlater again after afford adicional addtional addresses additional adding as added acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually an amount amercian am also already almost allowed cannot cant care delivering disgusting discontinue disappointed direction different differences didnt deteriorated decisions cared death deal days day daughter damn dad cutting disgusts divorce doesnt don emails email else eliminating el edge easily earlier each duplicate due drive drastically drain life double done cut customers customer coming combining combine college climbing climb city choose choice checking charged changing changes changed change cell caused caring come company currently competitive current creep credit covid courtesy country costs continuous continues continue continually constantly constant consolidating consider connected compromised letting loyal like squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system support success subscriptions subscription subscribers subscriber sub someone situation thats saving selection seen seems see secure second scaling scales save single same run rules rule rotating rising risen rise sense series service servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thanks their right week where when whats what were went well weeks way uses wants wanted waiting wait vs virtue value vaccine while who wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing ut users there tightening tooo too told today tired tipped times time tight used throughout through this think things thing they these town tracking tried try use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ripped ridiculous limit must no nice next news newest new never my multiple monetary much moving moved move more months monthly month non nonesence nonsense nothing original or options option opportunity opening opened ontario oneday one once ok often offset offered off notified money moment outside long luck loyalty lower lost losing loose looking longer lol mom locations location ll living live little limiting limited made make makes making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices our over return rate recently recent really reality reactivate re rather rates raises problem raised raise quickly quality pushed provider profits profit recession rectifying redo reduce
Topic 2 | Coherence=-218357.74 | Top words= other need price one subscriptions for the of with to in this start again just two paying before first dont care things but take time scales goes tipped direction selection finally moved continually house once significant rejoin get will moving amount short settled agree increases at apps merge cancelling greedy guys greed gas garbage games future great grandkids gouging fuel gotten got good getting gf girl gone give going go given gonna youre from frequent fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email family fan far fixed free forth forever forcing hackednot food focused flat fix fault financially financial fiance few feet fees feel fee hacked he hacking its keeping keep justify joint join job jacking itself it had issues issue isnt isn is iny intolerable into keeps kept kidding kids limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack interested instead inflation history hikes hike higher high her help health else having havent have has hardly hard happy hand half hiking holder increments horrible increasses increasing increased increase income improvements im ill if idea husband hungry huge how households household hosehold elsewhere done eliminating begin biased biannually bf between better benefits benefit being been biggest becoming because became be barely bank back awhile biden bill cared buggin cant cannot canceling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt adding againlater after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about alarming all allow allowed aren are aparently anyways anymore any anticonsumer another annually and an amounts amercian am also already almost card caring el day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences disappointed caused drain edge easily earlier each duplicate due drive drastically down discontinue double little don doesnt do divorce disgusts disgusting current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changing changes changed change cell combining come coming company covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared limiting loyal live squeeze stopped stop stepdad stealing stay states starting started spouses stranger spouse spending spend span sorry soon son something stopping stupid their talk that thanks thank than terrible temporary temporarily taste taking sub system switching support summer success subscription subscribers subscriber someone some so run seems see secure second scaling saving save same rules situation rule rotating rising risen rise ripped right ridiculous seen sense series service single since signaling sign sight sick shoves shouldn should she sharing share shady several set servicio services thats there retiring we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who these wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife vs virtue value today trying try tried tracking town tooo too told tired vaccine times tightening tight throughout through think thing they twice unable under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed return retired living next notified nothing not nonsense nonesence non no nice news off newest new never needed my must multiple much now offer overpriced opportunity outside out our others original or options option opening offered opened ontario only oneday on ok often offset move more months lost making makes make made luck loyalty your lower losing monthly loose looking longer long lol locations location ll manservices many market married month money monetary moment mom mistake mind might memberships membership members member medical means me maybe may over own resume raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent owner replace resubscribe
Topic 3 | Coherence=-234439.35 | Top words= you the to will are fact this that months it come once if for again raised not only dont good back offer tried pay shady have me consider almost used your email bye few want cancel budget makes never rectifying forever issue give reactivate also like and raising in money is ill try prices tight price return or changing start because differences improvements when tightening there resume againlater constantly done any us bank without wait thats moved new fees using profits restart under monthly may going future really don much at frequent girl from fuel gone games garbage gas goes go get getting gf given free youre forth fan entertainment especially euro even every everything expected expenses expensive extortion extra face fair family far forcing fault fee feel feet fiance finally financial financially first fix fixed flat focused food gonna help got inflation isnt isn iny intolerable into interested instead increments its increasses increasing increases increased increase income im issues itself gotten kept layoff later last laid lack kids kidding keeps jacking keeping keep justify just joint join job idea husband hungry hacking has hardly hard happy hand half had hackednot huge hacked guys greedy greed great grandkids gouging havent having he health how households household house hosehold horrible holder history hiking hikes hike higher high her enough entertaining doesnt end billings bill biggest biden biased biannually bf between better benefits benefit being begin before been becoming became be billing bills awhile bit cared care card cant cannot cancelling canceling can by but business buggin broke break boyfriend both blindly barely away caused alarming after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all automatically allow aunt as aren apps aparently anyways anymore anticonsumer another annually an amounts amount amercian am already allowed caring cell emails disgusting disappointed direction different didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting discontinue disgusts customers divorce elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double leave do cut customer change compared coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changes changed company competitive currently compromised current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating connected learning loyal left span states starting started squeeze spouses spouse spending spend sorry legacy soon son something someone some so situation single stay stealing stepdad stop talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped since significant signaling seems secure second scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous see seen sign selection sight sick shoves shouldn should short she sharing share several settled set servicio services service series sense taste temporarily temporary while whats what were went well weeks week we way waste was warrant wants wanted waiting vs virtue where who vaccine why youll yet years yearly year yall ya wouldn would worth workable work wont won with willing wife value ut terrible tooo told today tired tipped times time throughout through think things thing they these their thanks thank than too town uses tracking users use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two twice trying retiring retired resubscribe nonesence no nice next news newest needed need my must multiple moving move more month monetary moment mom non nonsense mind nothing options option opportunity opening opened ontario oneday one on ok often offset offered off of now notified mistake might other loose longer long lol locations location ll living live little limiting limited limit life letting let lesser less looking losing merge lost memberships membership members member medical means maybe married market many manservices making make made luck loyalty lower original others restriction re rates rate raises raise quickly quality putting put pushed provider profit profiles problem pricing president prescription prefer rather reality power
Topic 4 | Coherence=-232113.50 | Top words= it is worth for too me going not expensive no and now re much the prices you ut keep price charge college uses when she daughter anyways thank service bye are upward unfortunately in increase cost up raising currently enough way cant getting vs has kidding isnt thanks customers offered life but given its longer maybe everything anymore so increased profits later use used fault itself right rule quickly risen amount stupid want whats my budget else spending happy overpriced what allow tooo back isn make have loose increases creep with continue half family every fuel from expected even few future free games garbage gas get euro gf especially girl give entertainment entertaining go end frequent forth expenses feel finally financial feet financially fees first fix fixed flat focused food fiance fee far fan forcing fair fact face extra extortion forever youre he goes issue intolerable into interested instead inflation increments increasses increasing income improvements im ill if idea husband iny issues gone jacking leave learning layoff last laid lack kids kept keeps keeping justify just joint join job hungry huge how households hand had hacking hackednot hacked guys greedy greed great grandkids gouging gotten got good gonna hard hardly havent hiking household house hosehold horrible holder history hikes having hike higher high her help health emails discontinue email begin biased biannually bf between better benefits benefit being before elsewhere been becoming because became be barely bank awhile biden biggest bill billing card cannot cancelling canceling cancel can by business buggin broke break boyfriend both blindly bit bills billings away automatically aunt againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree at alarming as aren apps aparently any anticonsumer another annually an amounts amercian am also already almost allowed all care cared caring disgusts legacy disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day date damn dad disgusting divorce cut do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt cutting customer caused coming combining combine climbing climb city choose choice checking cheaper charging charges charged changing changes changed change cell come company current compared currency credit covid courtesy country costs continuous continues continually continously constantly constant consolidating consider connected compromised competitive left loyal less soon started start squeeze spouses spouse spend span sorry son respect something someone some situation single since significant signaling starting states stay stealing taking take system switching support summer success subscriptions subscription subscribers subscriber sub stranger stopping stopped stop stepdad sign sight sick scaling saving save same run rules rotating rising rise ripped ridiculous return retiring retired resume resubscribe restriction restrict scales second shoves secure shouldn should short sharing share shady several settled set servicio services series sense selection seen seems see talk taste temporarily while were went well weeks week we waste was warrant wants wanted waiting wait virtue value vaccine using where who us why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife users upping temporary tipped time tightening tight throughout through this think things thing they these there their thats that than terrible times tired upcoming to until unneeded unnecessary unfair unemployed understand under unable two twice trying try tried tracking town told today restart residence lesser must nice next news newest new never needed need multiple reside moving moved move more months monthly month money non nonesence nonsense nothing option opportunity opening opened ontario only oneday one once on ok often offset offer off of notified monetary moment mom your lost losing looking long lol locations location ll living live little limiting limited limit like letting let lower loyalty mistake luck mind might merge memberships membership members member medical means may married market many manservices making makes made options or original rates raises raised raise quality putting put pushed provider profit profiles problem pricing president prescription prefer preemptively power rate rather por
Topic 5 | Coherence=-220903.29 | Top words= price the you in and it just since that of has hike was your months my like time as by gone member use span drastically many can deteriorated subscription moved selection being last up don see have or went oneday earlier sorry used stupid gotten increase stranger sick ripped far off lol entertaining loyal annually financial after again changed reflect situation became disgusts keeps given go great give girl going alarming gf gonna good got agree gouging grandkids goes away greed greedy he having havent againlater hardly hard happy hand half had hacking hackednot hacked guys get getting games gas fan few feet fees feel fee fault allow family all fair fact face extra extortion expensive expenses fiance finally garbage forever help future fuel from frequent free forth forcing financially for food focused flat fixed fix first health her afford everything keep access justify account joint join job jacking itself accounts its acct issues issue isnt isn is keeping kept kidding left life letting let lesser less legacy about leave kids learning layoff later absurd laid acceptance lack iny intolerable into addresses huge how households household house hosehold horrible addtional husband holder history hiking hikes adicional higher high hungry idea interested increases instead inflation activities increments increasses added increasing increased if adding addition income additional improvements im ill expected euro every caring charged charge changing changes change cell caused cared anyways care card cant cannot cancelling aparently canceling charges charging cancel college competitive compared company coming come combining combine climbing cheaper climb city choose choice any anymore checking apps are even before bf between better benefits benefit aunt begin been biased becoming because be barely automatically bank back biannually biden bye boyfriend aren but business buggin budget broke break both biggest at blindly bit bills billings billing bill compromised connected anticonsumer do drain down double dont done also limit divorce drive am disgusting discontinue disappointed direction different differences already due another email awhile especially entertainment allowed enough end emails elsewhere duplicate else eliminating el edge easily almost each didnt amercian delivering continuous credit covid courtesy country an costs cost continues declined continue continually continously constantly constant consolidating consider creep currency current currently decisions death deal amount days day amounts daughter date damn dad cutting cut customers customer doesnt youre limited start stopped stop stepdad stealing stay states starting started squeeze sub spouses spouse spending spend soon son something someone stopping subscriber resume taste their thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions some so single rules secure second scaling scales saving save same run rule significant rotating rising risen rise right ridiculous return retiring seems seen sense series signaling sign sight shoves shouldn should short she sharing share shady several settled set servicio services service there these they week while where when whats what were well weeks we virtue way waste warrant wants wanted want waiting wait who why wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vs value thing tired tried tracking town tooo too told today to tipped vaccine times tightening tight throughout through this think things try trying twice two ut using uses users us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable retired resubscribe limiting next notified nothing not nonsense nonesence non no nice news offer newest new never needed need must multiple much now offered restriction opportunity outside out our others other original options option opening offset opened ontario only one once on ok often moving move more loose makes make made luck loyalty lower lost losing looking monthly longer long locations location ll living live little making manservices market married month money monetary moment mom mistake mind might merge memberships membership members medical means me maybe may over overpriced own raise reactivate re rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles reality really reason recent
Topic 6 | Coherence=-223640.90 | Top words= no price subscription if to with for the other continues services better longer you have good more benefit climb value increases it out been enough people gonna your cheaper youre sight rise in money end legacy run kept members its respect frequent reason was justify cost sign so now paying unnecessary cutting expenses additional back hardly often spending play times family im flat forever forcing later food focused increasing layoff free fixed fix first learning leave forth laid last keeps girl gf getting get gas garbage games financial kidding kids future fuel from lack financially fiance finally especially expected everything every let even euro entertainment given entertaining letting life like emails email lesser less expensive extortion extra face fact left fair fan far fault fee feel fees feet few give goes go holder household house is hosehold isn horrible history how hiking hikes hike higher high her households huge health improvements increased increase income increments inflation instead ill iny interested into intolerable idea husband hungry help he increasses join jacking job great grandkids gouging gotten got greedy joint just keep keeping gone going greed guys isnt happy having havent issue has else hard issues hacked hand half itself had hacking hackednot elsewhere double eliminating becoming biased biannually bf between benefits being begin before because biggest became be barely bank awhile away automatically aunt biden bill as buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings at aren cant adding againlater again after afford adicional addtional addresses addition added alarming activities acct accounts account access acceptance absurd about agree all are and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot card el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cut customers customer direction discontinue current drain edge easily earlier each duplicate due drive drastically down disgusting limited dont done don doesnt do divorce disgusts currently currency care charged college climbing city choose choice checking charging charges charge combining changing changes changed change cell caused caring cared combine come creep continously credit covid courtesy country costs continuous continue continually constantly coming constant consolidating consider connected compromised competitive compared company limit loyal limiting states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spend span sorry sub subscribers ridiculous temporarily their thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success soon son something scales sense selection seen seems see secure second scaling saving someone save same rules rule rotating rising risen ripped series service servicio set some situation single since significant signaling sick shoves shouldn should short she sharing share shady several settled there these they week where when whats what were went well weeks we virtue way waste warrant wants wanted want waiting wait while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will vs vaccine thing tired try tried tracking town tooo too told today tipped ut time tightening tight throughout through this think things trying twice two unable using uses users used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under right return little news notified nothing not nonsense nonesence non nice next newest off new never needed need my must multiple much of offer retiring opening outside our others original or options option opportunity opened offered ontario only oneday one once on ok offset moving moved move losing making makes make made luck loyalty lower lost loose months looking long lol locations location ll living live manservices many market married monthly month monetary moment mom mistake mind might merge memberships membership member medical means me maybe may over overpriced own raising recent really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 7 | Coherence=-225005.46 | Top words= subscription your and you too many access am good we now is where why checking increments greed luck canceling will re going charge for how to people kids my that have increase in more they tracking their another using live intolerable city unfair price fair times but even poland support options amercian lol thank gotten nonesence im moving wont opportunity high given increasing horrible secure email especially getting get gouging enough grandkids euro gas garbage elsewhere great gf end girl give entertainment got go goes games emails gonna entertaining gone fault frequent future family fact fix first financially financial finally fiance face fan far few feet fees feel fixed flat fuel forever from fee every free everything forth expected extra forcing expenses expensive food focused extortion youre her greedy it just joint join job jacking itself its issues guys issue isnt isn iny into interested instead justify keep keeping keeps letting let lesser less legacy left leave learning layoff later last laid lack kidding kept inflation increasses increases higher help health he having havent has hardly hard happy hand half had hacking hackednot hacked eliminating hike increased hikes income improvements ill if idea husband hungry huge households household house hosehold holder history hiking else don el begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away buggin cant cannot cancelling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings awhile automatically edge addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all aunt any at as aren are apps aparently anyways anymore anticonsumer allow annually an amounts amount also already almost allowed card care cared days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed caring down easily earlier each duplicate due drive drastically drain double discontinue dont done like doesnt do divorce disgusts disgusting currently current currency cheaper come combining combine college climbing climb choose choice charging creep charges charged changing changes changed change cell caused coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised life loyal limit span starting started start squeeze spouses spouse spending spend sorry stay soon son something someone some so situation single states stealing limited success temporarily taste talk taking take system switching summer subscriptions stepdad subscribers subscriber sub stupid stranger stopping stopped stop since significant signaling rules see second scaling scales saving save same run rule sign rotating rising risen rise ripped right ridiculous return seems seen selection sense sight sick shoves shouldn should short she sharing share shady several settled set servicio services service series temporary terrible than was what were went well weeks week way waste warrant ut wants wanted want waiting wait vs virtue value whats when while who youll yet years yearly year yall ya wouldn would worth workable work won without with willing wife vaccine uses thanks throughout tooo told today tired tipped time tightening tight through users this think things thing these there the thats town tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice retiring retired resume next of notified nothing not nonsense non no nice news move newest new never needed need must multiple much off offer offered offset out our others other original or option opening opened ontario only oneday one once on ok often moved months over loose making makes make made loyalty lower lost losing looking monthly longer long locations location ll living little limiting manservices market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe outside overpriced resubscribe raised really reality reactivate rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 8 | Coherence=-229051.33 | Top words= it at time increasing keep long prices no like for only subscriber is customer alarming feel rates loyalty afford there and we this going my will can now passed away of subscription right the lost not job has account cant owner residence outside mom daughter had longer she out same summer using moment play cannot coming being owning again interested parent any paying start stop aunt users person biannually blindly just work tight happy upping on do get good got gotten goes getting gonna gone gas girl give given go gf youre garbage extra fee fault far fan family fair fact face extortion games expensive expenses expected everything every even euro especially fees feet few fiance future fuel from frequent free forth forever forcing food focused flat fixed fix first financially financial finally gouging health grandkids instead issues issue isnt isn iny intolerable into inflation great increments increasses increases increased increase income in its itself jacking join left leave learning layoff later last laid lack kids kidding kept keeps keeping justify joint improvements im ill her entertaining he having havent have hardly hard hand half hacking hackednot hacked guys greedy greed help high if higher idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike entertainment double enough better billings billing bill biggest biden biased bf between benefits bit benefit begin before been becoming because became be bills both end canceling change cell caused caring cared care card cancelling cancel boyfriend bye by but business buggin budget broke break barely bank back addition all agree againlater after adicional addtional addresses additional adding awhile added activities acct accounts access acceptance absurd about allow allowed almost already automatically as aren are apps aparently anyways anymore anticonsumer another annually an amounts amount amercian am also changed changes changing didnt divorce disgusts disgusting discontinue disappointed direction different differences deteriorated dad delivering declined decisions death deal days day date doesnt don done dont emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down less damn cutting charge climbing compromised competitive compared company come combining combine college climb cut city choose choice checking cheaper charging charges charged connected consider consolidating constant customers currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly legacy loyal lesser spouses stopped stepdad stealing stay states starting started squeeze spouse their spending spend span sorry soon son something someone stopping stranger stupid sub that thanks thank than terrible temporary temporarily taste talk taking take system switching support success subscriptions subscribers some so situation series selection seen seems see secure second scaling scales saving save run rules rule rotating rising risen rise sense service single services since significant signaling sign sight sick shoves shouldn should short sharing share shady several settled set servicio thats these ridiculous week where when whats what were went well weeks way they waste was warrant wants wanted want waiting wait while who why wife youll you yet years yearly year yall ya wouldn would worth workable wont won without with willing vs virtue value trying tried tracking town tooo too told today to tired tipped times tightening throughout through think things thing try twice vaccine two ut uses used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped return let need non nice next news newest new never needed must others multiple much moving moved move more months monthly nonesence nonsense nothing notified original or options option opportunity opening opened ontario oneday one once ok often offset offered offer off month money monetary made your lower losing loose looking lol locations location ll living live little limiting limited limit life letting luck make mistake makes mind might merge memberships membership members member medical means me maybe may married market many manservices making other our retiring raising recent reason really reality reactivate re rather rate raises over raised raise quickly quality putting put pushed provider recently recession rectifying
Topic 9 | Coherence=-230433.12 | Top words= price and the is in have increases will we my ridiculous to upcoming where change pay different use fee subscriptions anticonsumer locations back subscription are be this ill as else customer me getting consolidating youll addtional later stop everything on multiple after constant moving new hikes got fiance already get users spending cannot married next fault two rotating subscriber im cutting our payday stopped billings gouging became life temporarily house something year soon customers since twice who join added been raising it cancelling opening upping member rejoin absurd household so of if anyways resume like even gonna gas extra gone extortion expensive going expenses entertaining expected every gf girl especially entertainment given go euro goes give first face fact fix financially financial fixed flat focused food finally few for forcing forever feet forth free fees feel frequent far fan family from fuel future good garbage fair games youre gotten grandkids issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increased increase its itself jacking kidding learning layoff last laid lack kids kept job keeps keeping keep justify just joint income improvements idea had has hardly hard happy hand half hacking having hackednot hacked guys greedy greed great havent enough husband holder hungry huge how households hosehold horrible history health hiking hike higher high her help he discontinue end blindly bills billing bill biggest biden biased biannually bf between better benefits benefit being begin before becoming because bit both changed boyfriend caused caring cared care card cant canceling cancel can bye by but business buggin budget broke break barely bank awhile away alarming agree againlater again afford adicional addresses additional addition adding activities acct accounts account access acceptance about all allow allowed any automatically aunt at aren apps aparently anymore another almost annually an amounts amount amercian am also cell changes emails do disgusts disgusting left disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date divorce doesnt changing don email elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done damn dad cut currently company coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge compared competitive compromised costs current currency creep credit covid courtesy country cost connected continuous continues continue continually continously constantly consider leave loyal legacy sorry starting started start squeeze spouses spouse spend span son respect someone some situation single significant signaling sign sight states stay stealing stepdad than terrible temporary taste talk taking take system switching support summer success subscribers sub stupid stranger stopping sick shoves shouldn scaling saving save same run rules rule rising risen rise ripped right return retiring retired resubscribe restriction restrict scales second should secure short she sharing share shady several settled set servicio services service series sense selection seen seems see thank thanks that when what were went well weeks week way waste was warrant wants wanted want waiting wait vs virtue whats while vaccine why you yet years yearly yall ya wouldn would worth workable work wont won without with willing wife value ut thats tooo told today tired tipped times time tightening tight throughout through think things thing they these there their too town using tracking uses used us upward up until unneeded unnecessary unfortunately unfair unemployed understand under unable trying try tried restart residence less must non no nice news newest never needed need much reside moved move more months monthly month money monetary nonesence nonsense not nothing options option opportunity opened ontario only oneday one once ok often offset offered offer off now notified moment mom mistake lower losing loose looking longer long lol location ll living live little limiting limited limit letting let lesser lost your mind loyalty might merge memberships membership members medical means maybe may market many manservices making makes make made luck or original other rates raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing prices president prescription rate rather preemptively
Topic 10 | Coherence=-226851.99 | Top words= to cut have just due and the are month prices this money job need time expenses that don business back trying you with high doesnt making resubscribe well losing some decisions sense costs at make other guys rise household save only when entertainment fuel limiting price increased in almost much it greedy bills rent per having on dont subscriptions financially gas hard use right we cancel single access must needed looking retiring these hungry eliminating medical lost monthly vaccine drain benefits fault value sharing from forth go given forcing future give gf girl games getting free frequent garbage get forever youre for expected fair fact face extra extortion expensive everything food every even euro especially entertaining enough family fan far fee feel fees going feet few fiance finally financial first fix fixed flat focused goes he gone into issues issue isnt isn is iny intolerable interested itself instead inflation increments increasses increasing increases increase its jacking improvements lack left leave learning layoff later last laid kids join kidding kept keeps keeping keep justify joint income im gonna hackednot has hardly happy hand half had hacking hacked emails greed great grandkids gouging gotten got good havent health ill hosehold if idea husband huge how households house horrible help holder history hiking hikes hike higher her end do email before biased biannually bf between better benefit being begin been care becoming because became be barely bank awhile away biden biggest bill billing cant cannot cancelling canceling can bye by but buggin budget broke break boyfriend both blindly bit billings automatically aunt as agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about againlater alarming aren all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already allowed allow card cared elsewhere daughter didnt deteriorated delivering declined death deal days day date caring damn dad cutting customers customer currently current currency differences different direction disappointed else el edge easily earlier each duplicate drive drastically down double done less divorce disgusts disgusting discontinue creep credit covid combine climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused college combining courtesy come country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming legacy loyal lesser spouses stepdad stealing stay states starting started start squeeze spouse thank spending spend span sorry soon son something someone stop stopped stopping stranger terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub stupid so situation since seen see secure second scaling scales saving same run rules rule rotating rising risen ripped ridiculous return retired seems selection significant series signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services service than thanks let waste where whats what were went weeks week way was thats warrant wants wanted want waiting wait vs virtue while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will ut using uses tracking tooo too told today tired tipped times tightening tight throughout through think things thing they there their town tried users try used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume restriction restrict next notified nothing not nonsense nonesence non no nice news restart newest new never my multiple moving moved move now of off offer our others original or options option opportunity opening opened ontario oneday one once ok often offset offered more months monetary luck your lower loose longer long lol locations location ll living live little limited limit like life letting loyalty made moment makes mom mistake mind might merge memberships membership members member means me maybe may married market many manservices out outside over reactivate rather rates rate raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem re reality president
Topic 11 | Coherence=-228271.04 | Top words= my subscription with has price already in an one the this keeps are kids into made putting have someone choose or moving so moved between bf he husband activities you dont expensive nonsense benefits only changing we anymore been need to me increase it share other wife family boyfriend stepdad long that than married who own phone her sub news subscriptions offered aparently disappointed raises throughout spouse like history hacking remarried joint ridiculous got back acct hacked life more same son users fix feet gf everything few every even euro girl give given go goes expected especially entertainment first financially going gone gonna financial fiance good entertaining enough getting expenses fee from food for forcing focused flat forever fault fixed forth free feel frequent far get fan fuel fair future finally fact face extra garbage extortion fees gas games youre gotten improvements issues issue isnt isn is iny intolerable interested instead inflation increments increasses increasing increases increased its itself jacking lack leave learning layoff later last laid kidding job kept keeping keep justify just join income im gouging ill emails having havent hardly hard happy hand half had hackednot guys greedy greed great grandkids health help high household if idea hungry huge how households house higher hosehold horrible holder hiking hikes hike end doesnt email better bills billings billing bill biggest biden biased biannually benefit awhile being begin before becoming because became be barely bit blindly both break caring cared care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke bank away cell additional agree againlater again after afford adicional addtional addresses addition automatically adding added accounts account access acceptance absurd about alarming all allow allowed aunt at as aren apps anyways any anticonsumer another annually and amounts amount amercian am also almost caused change elsewhere decisions discontinue direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain down double done don legacy cut customer changed climb compared company coming come combining combine college climbing city currently choice checking cheaper charging charges charged charge changes competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating left loyal less spouses stop stealing stay states starting started start squeeze spending there spend span sorry soon something some situation single stopped stopping stranger stupid thats thanks thank terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber since significant signaling seems secure second scaling scales saving save run rules rule rotating rising risen rise ripped right return retiring see seen sign selection sight sick shoves shouldn should short she sharing shady several settled set servicio services service series sense their these lesser waste whats what were went well weeks week way was they warrant wants wanted want waiting wait vs virtue when where while why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value vaccine ut trying tried tracking town tooo too told today tired tipped times time tightening tight through think things thing try twice using two uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retired resume resubscribe never not nonesence non no nice next newest new needed restriction must multiple much move months monthly month money nothing notified now of our others original options option opportunity opening opened ontario oneday once on ok often offset offer off monetary moment mom your lost losing loose looking longer lol locations location ll living live little limiting limited limit letting let lower loyalty mistake luck mind might merge memberships membership members member medical means maybe may market many manservices making makes make out outside over really reactivate re rather rates rate raising raised raise quickly quality put pushed provider profits profit profiles problem reality reason prices
Topic 12 | Coherence=-227987.32 | Top words= you for to charge your extra my sign and thank anyways worth bye she uses daughter from in that when college good pay sharing just new people me price stop want greed cant loose because will fee guys more something they competitive increase shouldn pick drive market manservices down got what not company this with policies profit pleased afford month disgusts an the cared rule kids limit hosehold biased opened may take begin kidding prefer addtional gone given gf go getting games goes girl give gonna gas garbage going get fixed future expenses fan family fair fact face extortion expensive expected fault everything every even euro especially entertainment entertaining far feel fuel flat frequent free forth forever forcing food focused fix fees first financially financial finally fiance few feet gotten youre gouging improvements it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased its itself jacking laid legacy left leave learning layoff later last lack job kept keeps keeping keep justify joint join income im grandkids ill he having end havent have has hardly hard happy hand half had hacking hackednot hacked greedy great health help her household if idea husband hungry huge how households house high horrible holder history hiking hikes hike higher enough doesnt emails being biggest biden biannually bf between better benefits benefit before automatically been becoming became be barely bank back awhile bill billing billings bills card cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend both blindly bit away aunt email adding agree againlater again after adicional addresses additional addition added at activities acct accounts account access acceptance absurd about alarming all allow allowed as aren are apps aparently anymore any anticonsumer another annually amounts amount amercian am also already almost care caring caused decisions disappointed direction different differences didnt deteriorated delivering declined death cell deal days day date damn dad cutting cut discontinue disgusting divorce do elsewhere else eliminating el edge easily earlier each duplicate due drastically drain double dont done don lesser customers customer currently compared come combining combine climbing climb city choose choice checking cheaper charging charges charged changing changes changed change coming compromised current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider less loyal let spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son someone some stopped stopping stranger stupid than terrible temporary temporarily taste talk taking system switching support summer success subscriptions subscription subscribers subscriber sub so single letting rules secure second scaling scales saving save same run rotating since rising risen rise ripped right ridiculous return retiring see seems seen selection significant signaling sight sick shoves should short share shady several settled set servicio services service series sense thanks thats their was were went well weeks week we way waste warrant there wants wanted waiting wait vs virtue value vaccine whats where while who youll yet years yearly year yall ya wouldn would workable work wont won without willing wife why ut using users tried town tooo too told today tired tipped times time tightening tight throughout through think things thing these tracking try used trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retired resume resubscribe newest nothing nonsense nonesence non no nice next news never others needed need must multiple much moving moved move notified now of off original or options option opportunity opening ontario only oneday one once on ok often offset offered offer months monthly money luck lower lost losing looking longer long lol locations location ll living live little limiting limited like life loyalty made monetary make moment mom mistake mind might merge memberships membership members member medical means maybe married many making makes other our restriction raised reality reactivate re rather rates rate raising raises raise out quickly quality putting put pushed provider profits profiles really reason recent
Topic 13 | Coherence=-224085.68 | Top words= back be will to my break taking money just of can and on got need when month payment end ll raising move we subscription take business laid too saving off time constantly bit elsewhere prices own many for hard come feet get repurposing divorce payday declined fix hacked broke trying card monetary might week summer layoff piracy switching greed it cancelling replace used focused date while frequent fuel flat from forever free forth future later food forcing gas games garbage last getting gf girl give given lack go goes going gone kids gonna fixed financially first every lesser extra extortion expensive expenses expected everything even good euro especially let entertainment entertaining enough letting face fact fair family financial learning leave finally fiance few left legacy fees feel fee fault far less fan kidding grandkids kept its idea husband hungry huge is how households isn household house hosehold isnt horrible issue holder if iny ill increases inflation increments increasses increasing instead interested into im increased increase income in intolerable improvements issues history keeps hiking hardly justify happy hand half had hacking hackednot keep guys keeping greedy great gouging gotten has have havent high itself hikes hike higher jacking job her joint help emails health he having join youre down email becoming between better benefits benefit being begin before been because biannually became barely bank awhile away automatically aunt at bf biased else buggin care cant cannot canceling cancel bye by but budget biden boyfriend both blindly bills billings billing bill biggest as aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cared caring caused death disappointed direction different differences didnt deteriorated delivering decisions deal currently days day daughter damn dad cutting cut customers discontinue disgusting disgusts do eliminating el edge easily earlier each duplicate due drive drastically drain like double dont done don doesnt customer current cell checking combining combine college climbing climb city choose choice cheaper currency charging charges charged charge changing changes changed change coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised life loyal limit spouses stepdad stealing stay states starting started start squeeze spouse so spending spend span sorry soon son something someone stop stopped stopping stranger that thanks thank than terrible temporary temporarily taste talk system support success subscriptions subscribers subscriber sub stupid some situation the scales sense selection seen seems see secure second scaling save single same run rules rule rotating rising risen rise series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thats their right waste where whats what were went well weeks way was vaccine warrant wants wanted want waiting wait vs virtue who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with value ut there tightening tracking town tooo told today tired tipped times tight using throughout through this think things thing they these tried try twice two uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous limited nice now notified nothing not nonsense nonesence non no next moved news newest new never needed must multiple much offer offered offset often out our others other original or options option opportunity opening opened ontario only oneday one once ok moving more over looking made luck loyalty your lower lost losing loose longer months long lol locations location living live little limiting make makes making manservices monthly moment mom mistake mind merge memberships membership members member medical means me maybe may married market outside overpriced return rate recent reason really reality reactivate re rather rates raises profit raised raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 14 | Coherence=-236993.72 | Top words= price the and is increases you be keep sharing with more your many money charges too saving terrible prices deal why increasing pricing me continuous addition to problem need now has service can good canceling greed up luck months access increments checking in less really paying over hike creep stopping quality changes edge done do policy constant pushed rising dad jacking days agree series going not popular right every lack if biggest should broke garbage outside covid caring when sick cost on much think save ll into willing free from financial it keeping financially first justify fuel fix its fixed just flat itself focused frequent joint join finally food for job forcing forever forth house keeps fiance layoff euro even left everything expected expenses expensive extortion extra leave face learning fact fair family few fan far fault later last laid kids kidding fee kept feel fees feet issues future gas games had half hand happy hard improvements hardly im have ill havent having idea he husband health help hungry her high huge how higher households hikes hiking history holder horrible hosehold income hacking issue hackednot household isnt get getting isn gf girl iny give given go goes intolerable gone gonna got interested instead gotten gouging grandkids great inflation increasses greedy increased guys hacked increase especially youre entertainment been bf between better benefits benefit being begin before becoming card because became barely bank back awhile away automatically biannually biased biden bill cannot cancelling cancel bye by but business buggin budget break boyfriend both blindly bit bills billings billing aunt at as all againlater again after afford adicional addtional addresses additional adding added activities acct accounts account acceptance absurd about alarming allow aren allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cant care entertaining didnt divorce disgusts disgusting discontinue disappointed direction different differences deteriorated cared delivering declined decisions death day daughter date damn doesnt don dont double enough end emails email elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down cutting cut customers coming combining combine college climbing climb city choose choice cheaper charging charged charge changing changed change cell caused come company customer compared currently current currency credit courtesy country costs continues continue continually continously constantly consolidating consider connected compromised competitive legacy loyal lesser starting stupid stranger stopped stop stepdad stealing stay states started there start squeeze spouses spouse spending spend span sorry sub subscriber subscribers subscription thats that thanks thank than temporary temporarily taste talk taking take system switching support summer success subscriptions soon son something services selection seen seems see secure second scaling scales same run rules rule rotating risen rise ripped ridiculous sense servicio someone set some so situation single since significant signaling sign sight shoves shouldn short she share shady several settled their these let waste what were went well weeks week we way was they warrant wants wanted want waiting wait vs virtue whats where while who youll yet years yearly year yall ya wouldn would worth workable work wont won without will wife value vaccine ut trying tried tracking town tooo told today tired tipped times time tightening tight throughout through this things thing try twice using two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable return retiring retired never nonesence non no nice next news newest new needed resume my must multiple moving moved move monthly month nonsense nothing notified of or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off monetary moment mom lower losing loose looking longer long lol locations location living live little limiting limited limit like life letting lost loyalty mistake made mind might merge memberships membership members member medical means maybe may married market manservices making makes make original other others recently reason reality reactivate re rather rates rate raising raises raised raise quickly putting put provider profits profit recent recession president
Topic 15 | Coherence=-226724.11 | Top words= and price the prices just anymore greedy raising not new share starting additional profit last is raised increase after profiles year keep charge worth many for it don fees too increasing rules money me letting us cancel enough while value way continually workable delivering little change keeps point system didnt month want first let rates fault raise caused get nothing company but continue waste climbing now adding squeeze offered preemptively games fuel future give garbage gas getting gf girl frequent given go goes going gone gonna good got from youre free expenses fair fact face extra extortion expensive expected fan everything every even euro especially entertainment family far forth fix forever forcing food focused flat fixed financially fee financial finally fiance few feet feel gotten havent gouging grandkids its issues issue isnt isn iny intolerable into interested instead inflation increments increasses increases increased income in itself jacking job later lesser less legacy left leave learning layoff laid join lack kids kidding kept keeping justify joint improvements im ill hand he having have has hardly hard happy half help had hacking hackednot hacked guys greed great health her if house idea husband hungry huge how households household hosehold high horrible holder history hiking hikes hike higher entertaining down end before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest card budget cannot cancelling canceling can bye by business buggin broke bill break boyfriend both blindly bit bills billings billing away automatically aunt addition alarming agree againlater again afford adicional addtional addresses added at activities acct accounts account access acceptance absurd about all allow allowed almost as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already cant care emails decisions disgusting discontinue disappointed direction different differences deteriorated declined death divorce deal days day daughter date damn dad cutting disgusts do cared each email elsewhere else eliminating el edge easily earlier duplicate doesnt due drive drastically drain like double dont done cut customers customer checking come combining combine college climb city choose choice cheaper currently charging charges charged changing changes changed cell caring coming compared competitive compromised current currency creep credit covid courtesy country costs cost continuous continues continously constantly constant consolidating consider connected life loyal limit start stopping stopped stop stepdad stealing stay states started spouses some spouse spending spend span sorry soon son something stranger stupid sub subscriber thanks thank than terrible temporary temporarily taste talk taking take switching support summer success subscriptions subscription subscribers someone so thats scales sense selection seen seems see secure second scaling saving situation save same run rule rotating rising risen rise series service services servicio single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set that their right was whats what were went well weeks week we warrant uses wants wanted waiting wait vs virtue vaccine ut when where who why youll you yet years yearly yall ya wouldn would work wont won without with willing will wife using users there tightening tooo told today to tired tipped times time tight used throughout through this think things thing they these town tracking tried try use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ripped ridiculous limited newest notified nonsense nonesence non no nice next news never more needed need my must multiple much moving moved of off offer offset others other original or options option opportunity opening opened ontario only oneday one once on ok often move months out looking made luck loyalty your lower lost losing loose longer monthly long lol locations location ll living live limiting make makes making manservices monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market our outside return rather recession recently recent reason really reality reactivate re rate pricing raises quickly quality putting put pushed provider profits rectifying redo reduce reducing
Topic 16 | Coherence=-222536.40 | Top words= to it enough up as use if prices and money anymore being this re keep begin cared wouldn ll hiking understand us leave need were means only greedy dont continues save other much about high services what when of inflation using afford go not by cant thanks caused rising time biden do president learning would waste added spend opened subscription rather never mistake duplicate been second prefer down costs profiles food scaling temporarily recession hardly gas yearly warrant platforms two reduce expenses like me fan bills increasing flat focused fix fixed first financially kids increase for games girl gf getting get garbage kidding future forcing fuel from frequent financial forth forever free fee finally extra end layoff entertaining entertainment especially euro even every everything expected expensive extortion later face lack fact last fair family far fault given laid feel fees feet few fiance give gonna kept goes house hosehold intolerable horrible iny holder history is hikes hike higher isn her help isnt into interested instead idea in improvements increased im ill increases increasses household husband hungry huge increments how households health issue he keeping guys justify greed great grandkids gouging keeps hacked gotten got good income gone going just joint issues job havent its itself have has jacking join hackednot hard happy hand half had hacking having youre emails benefit bill biggest biased biannually bf between better benefits before email becoming because became be barely bank back awhile billing billings bit blindly caring care card cannot cancelling canceling cancel can bye but business buggin budget broke break boyfriend both away automatically aunt all agree againlater again after adicional addtional addresses additional addition adding activities acct accounts account access acceptance absurd alarming allow at allowed aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already almost cell change changed discontinue direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting disappointed disgusting customers disgusts elsewhere else eliminating el edge easily earlier each due drive drastically drain double done don doesnt left cut customer changes compared coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing company competitive currently compromised current currency creep credit covid courtesy country cost continuous continue continually continously constantly constant consolidating consider connected divorce loyal legacy span states starting started start squeeze spouses spouse spending sorry restriction soon son something someone some so situation single stay stealing stepdad stop taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping stopped since significant signaling seems secure scales saving same run rules rule rotating risen rise ripped right ridiculous return retiring retired resume see seen sign selection sight sick shoves shouldn should short she sharing share shady several settled set servicio service series sense temporary terrible than while whats went well weeks week we way was wants wanted want waiting wait vs virtue value vaccine where who uses why youll you yet years year yall ya worth workable work wont won without with willing will wife ut users thank told tired tipped times tightening tight throughout through think things thing they these there their the thats that today too used tooo upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable twice trying try tried tracking town resubscribe restrict less multiple nice next news newest new needed my must moving restart moved move more months monthly month monetary moment no non nonesence nonsense option opportunity opening ontario oneday one once on ok often offset offered offer off now notified nothing mom mind might lost loose looking longer long lol locations location living live little limiting limited limit life letting let lesser losing lower merge your memberships membership members member medical maybe may married market many manservices making makes make made luck loyalty options or original rates raising raises raised raise quickly quality putting put pushed provider profits profit problem pricing price prescription preemptively rate reactivate possible
Topic 17 | Coherence=-232931.62 | Top words= the price greedy of your money hikes not way charging also fan raising you prices years past because subscriptions few many for over extra keep are stop out and too increases getting tired months customer ridiculous terrible year addition every lack pricing hand damn company selection made subscription with charges success into constant town games put playing subscribers work some please twice have ya people girl these temporary lower pls biannually pay often yet caring system hacked ll resume profiles focused keeping much expensive get gas gf garbage future give go fuel given youre from everything family fair fact face extortion expenses expected even frequent euro especially entertainment entertaining enough end emails far fault fee feel free forth forever forcing food flat fixed fix goes financially financial finally fiance feet fees first half going gone isn is iny intolerable interested instead inflation increments increasses increasing increased increase income in improvements im ill isnt issue issues keeps layoff later last laid kids kidding kept justify it just joint join job jacking itself its if idea husband guys hardly hard happy elsewhere had hacking hackednot greed havent great grandkids gouging gotten got good gonna has having hungry holder huge how households household house hosehold horrible history he hiking hike higher high her help health email divorce else before biased bf between better benefits benefit being begin been biggest becoming became be barely bank back awhile away biden bill cant buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at adding againlater again after afford adicional addtional addresses additional added as activities acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am already almost allowed cannot card eliminating death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date dad cutting cut customers disappointed disgusting care drastically el edge easily earlier each duplicate due drive drain disgusts down double dont done don doesnt do leave currently current currency cheaper combine college climbing climb city choose choice checking charged creep charge changing changes changed change cell caused cared combining come coming compared credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive learning loyal left sorry started start squeeze spouses spouse spending spend span soon legacy son something someone so situation single since significant starting states stay stealing thank than temporarily taste talk taking take switching support summer subscriber sub stupid stranger stopping stopped stepdad signaling sign sight secure scaling scales saving save same run rules rule rotating rising risen rise ripped right return retiring retired second see sick seems shoves shouldn should short she sharing share shady several settled set servicio services service series sense seen thanks that thats what went well weeks week we waste was warrant wants wanted want waiting wait vs virtue value vaccine were whats using when youll yearly yall wouldn would worth workable wont won without willing will wife why who while where ut uses their tried tooo told today to tipped times time tightening tight throughout through this think things thing they there tracking try users trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two resubscribe restriction restrict next newest new never needed need my must multiple moving moved move more monthly month monetary moment mom news nice mind no ontario only oneday one once on ok offset offered offer off now notified nothing nonsense nonesence non mistake might opening loose longer long lol locations location living live little limiting limited limit like life letting let lesser less looking losing merge lost memberships membership members member medical means me maybe may married market manservices making makes make luck loyalty opened opportunity restart reality re rather rates rate raises raised raise quickly quality putting pushed provider profits profit problem president prescription reactivate really preemptively
Topic 18 | Coherence=-224369.70 | Top words= and to my in me different on you subscription live two will that money use cancel want need membership won since mom places restrict keep be able addresses only both years been because yall from stealing havent with one subscriptions charges payment go emails households double wants combine boyfriend same don fees ut added no gf how choose redo fair stop when resume free this cheaper forever layoff frequent forth increments future forcing for food focused flat fixed fix first fuel garbage games give gone going goes kids lack given laid financial girl last getting get gas later financially fiance finally good expected less lesser everything every even euro especially entertainment entertaining enough end let email elsewhere expenses legacy expensive fault few feet learning feel leave fee far extortion left fan family fact face extra gonna kidding got hike isn hungry huge isnt issue issues household house hosehold horrible holder it its history hiking husband idea if instead increasing increases increased increase inflation income interested is into intolerable improvements im ill iny hikes higher gotten itself hand half had hacking hackednot keeps hacked guys greedy kept greed great grandkids gouging increasses happy keeping justify else high her help health jacking job join hard having joint just have has hardly he doesnt eliminating before biannually bf between better benefits benefit being begin becoming card became barely bank back awhile away automatically aunt biased biden biggest bill cannot cancelling canceling can bye by but business buggin budget broke break blindly bit bills billings billing at as aren alarming againlater again after afford adicional addtional additional addition adding activities acct accounts account access acceptance absurd about agree all are allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cant care el day didnt deteriorated delivering declined decisions death deal days daughter cared date damn dad cutting cut customers customer currently differences direction disappointed discontinue edge easily earlier each duplicate due drive drastically drain down dont done life do divorce disgusts disgusting current currency creep coming combining college climbing climb city choice checking charging charged charge changing changes changed change cell caused caring come company credit compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive letting youre like span starting started start squeeze spouses spouse spending spend sorry signaling soon son something someone some so situation single states stay stepdad stopped temporary temporarily taste talk taking take system switching support summer success subscribers subscriber sub stupid stranger stopping significant sign than rule secure second scaling scales saving save run rules rotating sight rising risen rise ripped right ridiculous return retiring see seems seen selection sick shoves shouldn should short she sharing share shady several settled set servicio services service series sense terrible thank resubscribe warrant went well weeks week we way waste was wanted used waiting wait vs virtue value vaccine using uses were what whats where youll yet yearly year ya wouldn would worth workable work wont without willing wife why who while users us thanks through today tired tipped times time tightening tight throughout think upward things thing they these there their the thats told too tooo town upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try tried tracking retired restriction limit newest nothing not nonsense nonesence non nice next news new months never needed must multiple much moving moved move notified now of off others other original or options option opportunity opening opened ontario oneday once ok often offset offered offer more monthly out longer luck loyalty your lower lost losing loose looking long month lol locations location ll living little limiting limited made make makes making monetary moment mistake mind might merge memberships members member medical means maybe may married market many manservices our outside restart quality rather rates rate raising raises raised raise quickly putting price put pushed provider profits profit profiles problem pricing re reactivate reality really
Topic 19 | Coherence=-233434.48 | Top words= to the of you change my up more country face shoves especially iny life forcing pop nice and keeping choice make want currently just price lost subscriber your need me so is be worth anymore with expensive subscription different not out have go acceptance billing reality location in continue date moved for currency even changed current yet squeeze that unable people new help sharing no service try all another expenses moving lack reducing at customer due got far laid raise hand off ontario account ll spend unneeded death holder buggin adding having rotating upping increase aren week gas garbage first everything get getting expected gf girl give every given euro goes going extortion family extra fact financially fix financial fixed flat focused food finally fiance few feet fees forever forth free feel fee fault frequent from fuel fan future games fair gone youre gonna issues isnt isn intolerable into interested instead inflation increments increasses increasing increases increased income improvements im issue it if its learning layoff later last kids kidding kept keeps keep justify joint join job jacking itself ill idea good havent hardly hard happy half had hacking hackednot hacked guys greedy greed great grandkids gouging gotten has he husband entertainment hungry huge how households household house hosehold horrible history hiking hikes hike higher high her health don entertaining billings biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became barely bill bills back bit card cant cannot cancelling canceling cancel can bye by but business budget broke break boyfriend both blindly bank awhile cared allow agree againlater again after afford adicional addtional addresses additional addition added activities acct accounts access absurd about alarming allowed away almost automatically aunt as are apps aparently anyways any anticonsumer annually an amounts amount amercian am also already care caring enough left do divorce disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions deal days day daughter doesnt done dad dont end emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double damn cutting caused company come combining combine college climbing climb city choose checking cheaper charging charges charged charge changing changes cell coming compared cut competitive customers creep credit covid courtesy costs cost continuous continues continually continously constantly constant consolidating consider connected compromised leave loyal legacy spouses stop stepdad stealing stay states starting started start spouse retired spending span sorry soon son something someone some stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers sub situation single since seems secure second scaling scales saving save same run rules rule rising risen rise ripped right ridiculous return see seen significant selection signaling sign sight sick shouldn should short she share shady several settled set servicio services series sense thanks thats their where whats what were went well weeks we way waste was warrant wants wanted waiting wait vs virtue when while vaccine who youll years yearly year yall ya wouldn would workable work wont won without willing will wife why value ut there town too told today tired tipped times time tightening tight throughout through this think things thing they these tooo tracking using tried uses users used use us upward upcoming until unnecessary unfortunately unfair unemployed understand under two twice trying retiring resume less never notified nothing nonsense nonesence non next news newest needed resubscribe must multiple much move months monthly month money now offer offered offset our others other original or options option opportunity opening opened only oneday one once on ok often monetary moment mom loyalty losing loose looking longer long lol locations living live little limiting limited limit like letting let lesser lower luck mistake made mind might merge memberships membership members member medical means maybe may married market many manservices making makes outside over overpriced reason reactivate re rather rates rate raising raises raised quickly quality putting put pushed provider profits profit profiles really recent pricing
Topic 20 | Coherence=-226227.40 | Top words= and subscription sharing too price extra with no many an for if new hikes prices added expensive charging of pay im increase newest hike charge family will issues bye charges more talk limited recent profiles future expected won longer support parents climb different lost benefit damn adding subscriptions better mind dont unemployed really yall financial these re never fees until hackednot day worth waiting stupid easily secure happy can reality when replace passed vaccine going given gotten especially got get getting gf girl give good few go enough entertaining gonna goes entertainment garbage gone feel gas fiance games fact financially fee gouging fault first fix far fixed flat fan focused fair food face euro finally extortion expenses forcing forever everything forth free frequent from feet every even fuel have grandkids great job jacking itself its it issue isnt isn is iny intolerable into interested instead inflation increments increasses join joint just last less legacy left leave learning layoff later laid justify lack kids kidding kept keeps keeping keep increasing increases increased hard health he having havent emails has hardly hand her half had hacking hacked guys greedy greed help high income how in improvements ill idea husband hungry huge households higher household house hosehold horrible holder history hiking end youre email been biased biannually bf between benefits being begin before becoming biggest because became be barely bank back awhile away biden bill elsewhere buggin cant cannot cancelling canceling cancel by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at additional agree againlater again after afford adicional addtional addresses addition as activities acct accounts account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost card care cared decisions discontinue disappointed direction differences didnt deteriorated delivering declined death currently deal days daughter date dad cutting cut customers disgusting disgusts divorce do else eliminating el edge earlier each duplicate due drive drastically drain down double let done don doesnt customer current caring choice coming come combining combine college climbing city choose checking currency cheaper charged changing changes changed change cell caused company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected lesser loyal letting spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stop stopped stopping thanks thank than terrible temporary temporarily taste taking take system switching summer success subscribers subscriber sub stranger so single return same seen seems see second scaling scales saving save run since rules rule rotating rising risen rise ripped right selection sense series service significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services that thats the was were went well weeks week we way waste warrant their wants wanted want wait vs virtue value ut what whats where while youll you yet years yearly year ya wouldn would workable work wont without willing wife why who using uses users town told today to tired tipped times time tightening tight throughout through this think things thing they there tooo tracking used tried use us upward upping upcoming up unneeded unnecessary unfortunately unfair understand under unable two twice trying try ridiculous retiring life needed nothing not nonsense nonesence non nice next news need month my must multiple much moving moved move months notified now off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered monthly money retired lol luck loyalty your lower losing loose looking long locations monetary location ll living live little limiting limit like made make makes making moment mom mistake might merge memberships membership members member medical means me maybe may married market manservices other others our quickly reactivate rather rates rate raising raises raised raise quality out putting put pushed provider profits profit problem pricing reason recently recession
Topic 21 | Coherence=-227487.38 | Top words= you extra to share my me subscriptions charging of extortion disgusting taste greedy its many have youre company for charge family about because but bill different with hikes are pay over out few and past cant years also your not grandkids stay without sharing fan newest hike budget spending happy price allow parents households choice merge pushed between be got goes going gonna gone good everything gotten gouging great greed go guys hacked every even euro especially entertainment hackednot expected gas given face flat fixed fix first financially financial finally fiance food fact feet fees feel fee fair fault focused forcing expenses games give girl gf getting get far garbage future forever fuel from frequent expensive had free forth hacking help half intolerable kept keeps keeping keep justify just joint join job jacking itself it issues issue isnt isn is kidding kids lack lesser limiting limited limit like life letting let less laid legacy left leave learning layoff later last iny into hand interested house hosehold horrible holder history hiking higher high her enough health he having havent has hardly hard household how huge increase instead inflation increments increasses increasing increases increased income hungry in improvements im ill if idea husband entertaining drastically end being biggest biden biased biannually bf better benefits benefit begin billings before been becoming became barely bank back awhile billing bills emails can caring cared care card cannot cancelling canceling cancel bye bit by business buggin broke break boyfriend both blindly away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd agree alarming all allowed as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am already almost caused cell change delivering divorce disgusts discontinue disappointed direction differences didnt deteriorated declined cutting decisions death deal days day daughter date damn do doesnt don done email elsewhere else eliminating el edge easily earlier each duplicate due drive live drain down double dont dad cut changed climbing compromised competitive compared coming come combining combine college climb customers city choose checking cheaper charges charged changing changes connected consider consolidating constant customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly little loyal living states sub stupid stranger stopping stopped stop stepdad stealing starting subscribers started start squeeze spouses spouse spend span sorry subscriber subscription son terrible there their the thats that thanks thank than temporary success temporarily talk taking take system switching support summer soon something ll scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio someone sight some so situation single since significant signaling sign sick set shoves shouldn should short she shady several settled these they thing waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where things worth youll yet yearly year yall ya wouldn would workable while work wont won willing will wife why who value vaccine ut tired try tried tracking town tooo too told today tipped using times time tightening tight throughout through this think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under risen rise ripped non offered offer off now notified nothing nonsense nonesence no often nice next news new never needed need must offset ok owning options own overpriced outside our others other original or option on opportunity opening opened ontario only oneday one once multiple much moving lower market manservices making makes make made luck loyalty lost moved losing loose looking longer long lol locations location married may maybe means move more months monthly month money monetary moment mom mistake mind might memberships membership members member medical owner pagos right re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing parent restart ridiculous
Topic 22 | Coherence=-234971.89 | Top words= price to increase not the is it for be this extra when good too willing was you going am but way high about your are ut do every year sign customers garbage times paying can enough support of what afford service really pay seems re greedy much options even added nothing care using used amount raised should ok something rate with think daughter great currently started charge being last gotten long quality half charged living opportunity anymore won blindly becoming from renewing cost second at justify absurd horrible higher why starting college original broke flat coming more far before games laid extortion expensive expenses fuel future keeps expected everything later euro kept especially keeping layoff entertainment gas get learning getting entertaining gf girl lack fault fee fixed feel kids fees feet few fiance finally give financially first fix fan face focused food kidding family forcing forever forth free fair fact frequent financial increasses given history households household house hosehold into holder hiking health intolerable hikes hike iny her isn interested how huge instead hungry husband inflation idea if ill im improvements increments in income increased increases help isnt go joint hacked guys join greed grandkids gouging increasing he got just gonna gone keep goes hackednot hacking job had hand happy hard jacking hardly has itself its issues issue have havent having youre disgusting end awhile billing bill biggest biden biased biannually bf between better benefits benefit begin been because became barely bank billings bills bit canceling caused caring cared card cant cannot cancelling cancel both bye by business buggin budget break boyfriend back away change automatically alarming agree againlater again after adicional addtional addresses additional addition adding activities acct accounts account access acceptance all allow allowed anticonsumer aunt as aren apps aparently anyways any another almost annually and an amounts amercian also already cell changed emails damn divorce disgusts left discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day doesnt don done earlier email elsewhere else eliminating el edge easily each dont duplicate due drive drastically drain down double date dad changes cutting compromised competitive compared company come combining combine climbing climb city choose choice checking cheaper charging charges changing connected consider consolidating courtesy cut customer current currency creep credit covid country constant costs continuous continues continue continually continously constantly leave loyal legacy sorry states start squeeze spouses spouse spending spend span soon restart son someone some so situation single since significant stay stealing stepdad stop taste talk taking take system switching summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped signaling sight sick saving same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction save scales shoves scaling shouldn short she sharing share shady several settled set servicio services series sense selection seen see secure temporarily temporary terrible were well weeks week we waste warrant wants wanted want waiting wait vs virtue value vaccine uses users went whats us where youll yet years yearly yall ya wouldn would worth workable work wont without will wife who while use upward than told tired tipped time tightening tight throughout through things thing they these there their thats that thanks thank today tooo upping town upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried tracking restrict respect less moved new never needed need my must multiple moving move residence months monthly month money monetary moment mom mistake newest news next nice ontario only oneday one once on often offset offered offer off now notified nonsense nonesence non no mind might merge lost loose looking longer lol locations location ll live little limiting limited limit like life letting let lesser losing lower memberships loyalty membership members member medical means me maybe may married market many manservices making makes make made luck opened opening option raising raise quickly putting put pushed provider profits profit profiles problem pricing prices president prescription prefer preemptively power raises rates por
Topic 23 | Coherence=-223497.00 | Top words= my for and service the on am now subscription up going as through be getting keeps it will another wife customer provider don money using fixed income divorce cost courtesy trying much phone down left just possible subscriptions platform quality customers get spending rate garbage different care awhile cut accounts before spend combining barely increases connected had married drain less back retired cheaper membership non she free went aren fee horrible use reflect set good instead losing focused anymore cell replace has more thank due charge canceling rising loyal isn lol away billing household flat joint food justify keep forever keeping fix first kept financially forcing join forth financial frequent from fuel job future jacking itself games its issues issue isnt kidding finally kids leave everything expected let expenses expensive extortion extra face lesser legacy fact fair family learning is fan far fault layoff later feel last fees laid feet few lack fiance gas iny house her in hardly improvements have im ill havent having he health even if help idea intolerable high higher hike husband hikes hungry hiking huge how history holder households hosehold hard happy hand half gf into girl give interested given go goes gone gonna inflation got gotten increments gouging increasses increasing grandkids great greed greedy guys increased hacked hackednot hacking increase every dont euro automatically billings bill biggest biden biased biannually bf between better benefits benefit being begin been becoming because became bills bit blindly bye cared card cant cannot cancelling cancel can by both but business buggin budget broke break boyfriend bank aunt caused at again after afford adicional addtional addresses additional addition adding added activities acct account access acceptance absurd about againlater agree alarming an are apps aparently anyways any anticonsumer annually amounts all amount amercian also already almost allowed allow caring change especially date doesnt do disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day done life double else entertainment entertaining enough end emails email elsewhere eliminating drastically el edge easily earlier each duplicate drive daughter damn changed dad compared company coming come combine college climbing climb city choose choice checking charging charges charged changing changes competitive compromised consider country cutting currently current currency creep credit covid costs consolidating continuous continues continue continually continously constantly constant letting youre like started stopping stopped stop stepdad stealing stay states starting start some squeeze spouses spouse span sorry soon son something stranger stupid sub subscriber thats that thanks than terrible temporary temporarily taste talk taking take system switching support summer success subscribers someone so there save seen seems see secure second scaling scales saving same situation run rules rule rotating risen rise ripped right selection sense series services single since significant signaling sign sight sick shoves shouldn should short sharing share shady several settled servicio their these limit we where when whats what were well weeks week way virtue waste was warrant wants wanted want waiting wait while who why willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with vs value they tipped tracking town tooo too told today to tired times vaccine time tightening tight throughout this think things thing tried try twice two ut uses users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous return retiring news notified nothing not nonsense nonesence no nice next newest months new never needed need must multiple moving moved of off offer offered others other original or options option opportunity opening opened ontario only oneday one once ok often offset move monthly resume longer made luck loyalty your lower lost loose looking long month locations location ll living live little limiting limited make makes making manservices monetary moment mom mistake mind might merge memberships members member medical means me maybe may market many our out outside raise reality reactivate re rather rates raising raises raised quickly over putting put pushed profits profit profiles problem pricing really reason recent
Topic 24 | Coherence=-222291.85 | Top words= you the subscription with and using increase about that family my of money extra don share bill when want paying outside news idea power states like limit is customer even issues between what moved users who hosehold having subscriber personal leave son business means were taking some unable over newest hiking understand agree married fair reside currently financial spouses us wouldn more begin been rates forth has cared rate ridiculous apps another end getting future games gotten garbage email gas get got good especially entertainment gf given gonna gone entertaining girl going emails give euro goes go enough expected every fuel fees feet few fee fiance finally fault financially far first fan fix fixed flat focused fact face food for forcing extortion forever expensive expenses free feel frequent everything from youre he gouging intolerable itself its it issue isnt isn iny into job interested instead inflation increments increasses increasing increases jacking join income lack legacy left learning layoff later last laid kids joint kidding kept keeps keeping keep justify just increased in grandkids half else havent have hardly hard happy hand had help hacking hackednot hacked guys greedy greed great health her improvements households im ill if husband hungry huge how household high house horrible holder history hikes hike higher elsewhere divorce eliminating being biggest biden biased biannually bf better benefits benefit before automatically becoming because became be barely bank back awhile billing billings bills bit card cant cannot cancelling canceling cancel can bye by but buggin budget broke break boyfriend both blindly away aunt caring addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd alarming all allow allowed as aren are aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost care caused el deal different differences didnt deteriorated delivering declined decisions death days currency day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont done doesnt do lesser disgusts current creep cell checking combining combine college climbing climb city choose choice cheaper credit charging charges charged charge changing changes changed change come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive less loyal let span stay starting started start squeeze spouse spending spend sorry sign soon something someone so situation single since significant stealing stepdad stop stopped terrible temporary temporarily taste talk take system switching support summer success subscriptions subscribers sub stupid stranger stopping signaling sight letting rotating scaling scales saving save same run rules rule rising sick risen rise ripped right return retiring retired resume second secure see seems shoves shouldn should short she sharing shady several settled set servicio services service series sense selection seen than thank thanks warrant went well weeks week we way waste was wants thats wanted waiting wait vs virtue value vaccine ut whats where while why youll yet years yearly year yall ya would worth workable work wont won without willing will wife uses used use told to tired tipped times time tightening tight throughout through this think things thing they these there their today too upward tooo upping upcoming up until unneeded unnecessary unfortunately unfair unemployed under two twice trying try tried tracking town resubscribe restriction restrict needed nonsense nonesence non no nice next new never need original must multiple much moving move months monthly month not nothing notified now options option opportunity opening opened ontario only oneday one once on ok often offset offered offer off monetary moment mom loyalty lower lost losing loose looking longer long lol locations location ll living live little limiting limited life your luck mistake made mind might merge memberships membership members member medical me maybe may market many manservices making makes make or other restart put rather raising raises raised raise quickly quality putting pushed others provider profits profit profiles problem pricing prices price re reactivate reality
 52%|█████▏    | 25/48 [1:14:05<1:34:32, 246.65s/it]
Topic 25 | Coherence=-225828.77 | Top words= too like prices year your much are increasing to after other company or seems biannually far has entertaining you consider ill options for increases don many need long will and months married rate my two high memberships husband with cancel raised hike got offset increasses each while nonsense benefits possible renewing dont have changing already reduce recently been way next canceling weeks several preemptively discontinue before bills now signaling political take virtue cut piracy fees prescription seen her these what trying currently significant problem customer system coming rather future finally gas financial financially first fix fixed garbage games joint flat forever focused food fuel from join frequent fiance forcing free forth job just huge few extortion especially layoff euro later even last every laid everything expected lack expenses kids expensive extra feet face fact fair family fan kidding kept keeps fault fee keeping keep feel justify jacking girl get instead hikes increased increments higher inflation help health getting he having interested into havent intolerable hiking history increase holder income in horrible hosehold improvements im if house household idea households hungry how iny is hardly grandkids gf give given itself go goes going gone gonna good its gotten gouging it issues isn issue great greed greedy guys hacked hackednot isnt hacking had half hand happy hard entertainment youre enough begin biggest biden biased bf between better benefit being becoming aunt because became be barely bank back awhile away bill billing billings bit care card cant cannot cancelling can bye by but business buggin budget broke break boyfriend both blindly automatically at end adding againlater again afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also almost allowed cared caring caused delivering disgusts disgusting disappointed direction different differences didnt deteriorated declined cell decisions death deal days day daughter date damn divorce do doesnt done emails email elsewhere else eliminating el edge easily earlier duplicate due drive drastically drain down double leave dad cutting customers compared combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changes changed change come competitive current compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected learning loyal left squeeze stop stepdad stealing stay states starting started start spouses legacy spouse spending spend span sorry soon son something stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking switching support summer success subscriptions subscription subscribers subscriber sub someone some so sense see secure second scaling scales saving save same run rules rule rotating rising risen rise ripped right selection series situation service single since sign sight sick shoves shouldn should short she sharing share shady settled set servicio services thanks that thats when were went well week we waste was warrant wants wanted want waiting wait vs value vaccine ut whats where uses who youll yet years yearly yall ya wouldn would worth workable work wont won without willing wife why using users the town told today tired tipped times time tightening tight throughout through this think things thing they there their tooo tracking used tried use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice try ridiculous return retiring non nice news newest new never needed must multiple moving moved move more monthly month money monetary moment no nonesence mistake not opportunity opening opened ontario only oneday one once on ok often offered offer off of notified nothing mom mind original losing looking longer lol locations location ll living live little limiting limited limit life letting let lesser less loose lost might lower merge membership members member medical means me maybe may market manservices making makes make made luck loyalty option others retired reason reality reactivate re rates raising raises raise quickly quality putting put pushed provider profits profit profiles pricing really recent president
Average topic coherence for the top words is -227150.4889629298
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.38it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.46it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.44it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.44it/s]
 10%|█         | 5/50 [00:00<00:08,  5.44it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.37it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.39it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.40it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.40it/s]
 20%|██        | 10/50 [00:01<00:07,  5.44it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.43it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.43it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.43it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.43it/s]
 30%|███       | 15/50 [00:02<00:06,  5.45it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.45it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.44it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.44it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.45it/s]
 40%|████      | 20/50 [00:03<00:05,  5.44it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.44it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.44it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.45it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.45it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.47it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.47it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.46it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.47it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.44it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.43it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.43it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.42it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.46it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.41it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.41it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.43it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.43it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.44it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.44it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.45it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.44it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.44it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.43it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.44it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.47it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.47it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.45it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.46it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.43it/s]
100%|██████████| 50/50 [00:09<00:00,  5.44it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.80it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.72it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.70it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.70it/s]
 10%|█         | 5/50 [00:00<00:06,  6.69it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.68it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.71it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.68it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.65it/s]
 20%|██        | 10/50 [00:01<00:05,  6.67it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.71it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.69it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.69it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.71it/s]
 30%|███       | 15/50 [00:02<00:05,  6.65it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.64it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.66it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.65it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.68it/s]
 40%|████      | 20/50 [00:02<00:04,  6.68it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.70it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.70it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.69it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.73it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.71it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.70it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.72it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.72it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.73it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.75it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.73it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.73it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.71it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.72it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.72it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.73it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.72it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.73it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.72it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.70it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.69it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.71it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.68it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.67it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.68it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.70it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.72it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.72it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.72it/s]
100%|██████████| 50/50 [00:07<00:00,  6.69it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.64it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.62it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.61it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.61it/s]
 10%|█         | 5/50 [00:01<00:12,  3.60it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.60it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.60it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.60it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.61it/s]
 20%|██        | 10/50 [00:02<00:11,  3.61it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.58it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.57it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.54it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.52it/s]
 30%|███       | 15/50 [00:04<00:09,  3.51it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.50it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.53it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.53it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.53it/s]
 40%|████      | 20/50 [00:05<00:08,  3.54it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.56it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.58it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.58it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.58it/s]
 50%|█████     | 25/50 [00:07<00:06,  3.58it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.61it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.61it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.62it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.61it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.61it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.61it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.60it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.61it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.60it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.60it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.60it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.58it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.58it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.58it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.60it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.60it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.60it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.61it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.62it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.61it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.62it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.61it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.61it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.61it/s]
100%|██████████| 50/50 [00:13<00:00,  3.59it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.79it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.75it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.73it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.73it/s]
 10%|█         | 5/50 [00:01<00:16,  2.72it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.74it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.75it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.75it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.76it/s]
 20%|██        | 10/50 [00:03<00:14,  2.76it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.76it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.76it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.76it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.76it/s]
 30%|███       | 15/50 [00:05<00:12,  2.76it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.75it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.76it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.76it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.75it/s]
 40%|████      | 20/50 [00:07<00:10,  2.75it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.75it/s]
 44%|████▍     | 22/50 [00:07<00:10,  2.75it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.75it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.75it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.75it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.74it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.75it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.75it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.74it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.74it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.75it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.76it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.74it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.75it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.75it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.76it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.75it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.75it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.75it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.76it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.75it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.75it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.76it/s]
 88%|████████▊ | 44/50 [00:15<00:02,  2.75it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.76it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.76it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.74it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.74it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.76it/s]
100%|██████████| 50/50 [00:18<00:00,  2.75it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.83it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.83it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.83it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.83it/s]
 10%|█         | 5/50 [00:02<00:24,  1.84it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.83it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.83it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.82it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.82it/s]
 20%|██        | 10/50 [00:05<00:21,  1.82it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.82it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.82it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.83it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.82it/s]
 30%|███       | 15/50 [00:08<00:19,  1.82it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.82it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.82it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.82it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.82it/s]
 40%|████      | 20/50 [00:10<00:16,  1.82it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.82it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.83it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.83it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.83it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.82it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.82it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.82it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.82it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.81it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.81it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.82it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.82it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.83it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.82it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.82it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.81it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.82it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.82it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.82it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.82it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.82it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.82it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.82it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.81it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.81it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.81it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.81it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.81it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.82it/s]
100%|██████████| 50/50 [00:27<00:00,  1.82it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.79it/s]
Topic 0 | Coherence=-224934.87 | Top words= and the prices raising keep price you too fees anymore greedy many are raised charges up money share letting us on of addition not rules or continues because added every climb improvements any differences won without services better days restriction continously jacking waste your constantly benefit high being opportunity support but cost prescription hackednot rates easily monthly oneday secure policy aren cant everything again fuel re save combining goes expected getting gf girl give greed expenses great grandkids gotten gouging given got good even gonna expensive go going gone family get few extra financially financial face finally fiance feet fix fact feel fee fault far fair first fixed gas free garbage extortion games future from frequent forth flat forever fan forcing for food focused youre he guys just join job itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments joint justify hacked keeping life let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasses increasing increases increased hike higher her help health especially having havent have has hardly hard happy hand half had hacking hikes hiking history husband increase income in im ill if idea hungry holder huge how households household house hosehold horrible euro drain entertainment between billings billing bill biggest biden biased biannually bf benefits cell begin before been becoming became be barely bank bills bit blindly both caring cared care card cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend back awhile away all agree againlater after afford adicional addtional addresses additional adding activities acct accounts account access acceptance absurd about alarming allow automatically allowed aunt at as apps aparently anyways anticonsumer another annually an amounts amount amercian am also already almost caused change entertaining different doesnt do divorce disgusts disgusting discontinue disappointed direction didnt changed deteriorated delivering declined decisions death deal day daughter don done dont double enough end emails email elsewhere else eliminating el edge earlier each duplicate due drive drastically limit down date damn dad compromised compared company coming come combine college climbing city choose choice checking cheaper charging charged charge changing changes competitive connected cutting consider cut customers customer currently current currency creep credit covid courtesy country costs continuous continue continually constant consolidating like loyal limited states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers ripped temporarily their thats that thanks thank than terrible temporary taste subscription talk taking take system switching summer success subscriptions sorry soon son second servicio service series sense selection seen seems see scaling something scales saving same run rule rotating rising risen set settled several shady someone some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing there these they we when whats what were went well weeks week way value was warrant wants wanted want waiting wait vs where while who why youll yet years yearly year yall ya wouldn would worth workable work wont with willing will wife virtue vaccine thing tipped tried tracking town tooo told today to tired times ut time tightening tight throughout through this think things try trying twice two using uses users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable rise right limiting new nonsense nonesence non no nice next news newest never notified needed need my must multiple much moving moved nothing now ridiculous opened out our others other original options option opening ontario off only one once ok often offset offered offer move more months looking make made luck loyalty lower lost losing loose longer month long lol locations location ll living live little makes making manservices market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married outside over overpriced rate recession recently recent reason really reality reactivate rather raises profiles raise quickly quality putting put pushed provider profits rectifying redo reduce reducing
Topic 1 | Coherence=-221476.72 | Top words= it you are me the bye and up only good this if will not email that going fact again reactivate makes consider rectifying never give issue forever come to want back months keeps am income your fixed when on cost just month didnt first went let cancel non retired down quality under fee restart new membership biased politically continues increases continue currency uses afford every everything expected gf expenses getting feel girl got greedy greed great grandkids gouging entertainment gotten especially even gonna gone euro goes go given gas get frequent garbage fix fees feet few fiance fault far finally fan family fair financial financially hacked flat games focused food for face forcing extra forth free extortion expensive from fuel future guys youre hackednot increasses justify joint join job jacking itself its issues isnt isn is iny intolerable into interested instead inflation keep keeping kept left limit like life letting lesser less legacy leave kidding learning layoff later last laid lack kids increments increasing hacking increased hike higher high her help health he having havent have has hardly hard happy hand half had enough hikes hiking hungry increase in improvements im ill idea husband huge history how households household house hosehold horrible holder entertaining drastically end begin biden biannually bf between better benefits benefit being before bill been becoming because became be barely bank awhile biggest billing emails business card cant cannot cancelling canceling can by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt adding agree againlater after adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about alarming all allow allowed as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost care cared caring declined disgusting discontinue disappointed direction different differences deteriorated delivering decisions cut death deal days day daughter date damn dad disgusts divorce do doesnt elsewhere else eliminating el edge easily earlier each duplicate due drive limiting drain double dont done don cutting customers caused cheaper combine college climbing climb city choose choice checking charging customer charges charged charge changing changes changed change cell combining coming company compared currently current creep credit covid courtesy country costs continuous continually continously constantly constant consolidating connected compromised competitive limited loyal little squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger thanks system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub someone some so scaling series sense selection seen seems see secure second scales situation saving save same run rules rule rotating rising service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled thank thats live waste whats what were well weeks week we way was while warrant wants wanted waiting wait vs virtue value where who their would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife vaccine ut using tightening tooo too told today tired tipped times time tight users throughout through think things thing they these there town tracking tried try used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand unable two twice trying risen rise ripped nonesence offered offer off of now notified nothing nonsense no often nice next news newest needed need my must offset ok right original own overpriced over outside out our others other or once options option opportunity opening opened ontario oneday one multiple much moving losing manservices making make made luck loyalty lower lost loose moved looking longer long lol locations location ll living many market married may move more monthly money monetary moment mom mistake mind might merge memberships members member medical means maybe owner owning pagos rate recently recent reason really reality re rather rates raising profit raises raised raise quickly putting put pushed provider recession redo reduce reducing
Topic 2 | Coherence=-240587.47 | Top words= to you and for money more sharing not it keep pay want dont from other that services just as in save need guys new have extra with prices because do me much family use on benefit added no continues trying stop been why so people something better they loose put forth needed will yall customers won years good greed adding havent stealing fee some really raising fees taste now possible limiting allow euro household cheaper currency year prefer enough nothing right spend single like yearly re often platforms quality disgusting rather while uses are we if emails end feel kids feet few fiance finally isnt email financial financially isn first is fix fixed flat iny focused food intolerable into forcing interested forever instead free lack issue fault far expenses kept entertaining keeps entertainment keeping especially justify even every everything joint expected kidding issues join expensive extortion job jacking face fact itself fair its fan increments inflation high increasses hardly hungry huge hacked hackednot hacking had half how hand elsewhere households happy hard house greedy hosehold has horrible holder having history hiking he hikes hike health help higher husband idea her increase fuel future games garbage gas get getting gf increasing girl increases increased give given great go income goes going gone gonna improvements got gotten im gouging grandkids ill frequent youre else benefits billing bill biggest biden biased biannually bf between being away begin before becoming became be barely bank back billings bills bit blindly card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both awhile automatically eliminating additional agree againlater again after afford adicional addtional addresses addition aunt activities acct accounts account access acceptance absurd about alarming all allowed almost at aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already care cared caring deal different differences didnt deteriorated delivering declined decisions death days caused day daughter date damn dad cutting cut customer direction disappointed discontinue last el edge easily earlier each duplicate due drive drastically drain down double done don doesnt divorce disgusts currently current creep come combine college climbing climb city choose choice checking charging charges charged charge changing changes changed change cell combining coming credit company covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared laid loyal later stepdad states starting started start squeeze spouses spouse spending span sorry soon son someone situation since significant signaling stay stopped sight stopping temporary temporarily talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger sign sick layoff scaling saving same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction scales second shoves secure shouldn should short she share shady several settled set servicio service series sense selection seen seems see terrible than thank well week way waste was warrant wants wanted waiting wait vs virtue value vaccine ut using users used weeks went thanks were youll yet ya wouldn would worth workable work wont without willing wife who where when whats what us upward upping upcoming tired tipped times time tightening tight throughout through this think things thing these there their the thats today told too understand up until unneeded unnecessary unfortunately unfair unemployed under tooo unable two twice try tried tracking town restrict restart respect never must multiple moving moved move months monthly month monetary moment mom mistake mind might merge memberships membership my newest opening news ontario only oneday one once ok offset offered offer off of notified nonsense nonesence non nice next members member medical means locations location ll living live little limited limit life letting let lesser less legacy left leave learning lol long longer makes maybe may married market many manservices making make looking made luck loyalty your lower lost losing opened opportunity residence rate raised raise quickly putting pushed provider profits profit profiles problem pricing price president prescription preemptively power por raises rates
Topic 3 | Coherence=-228891.50 | Top words= to cancel your that will my you almost tried offer shady raised pay price once fact dont and me used like also in service since live different year the months mom restrict membership so places expensive two for rate provider want switching through with others offset increasses each compared phone getting am boyfriend date connected increase cheaper wants replace gf go resume elsewhere payment later caused this spending cell prices should rise changed changes hacked fixed flat keeping fix keep focused first keeps food justify forcing forever job get gas join garbage games future fuel joint from frequent just free forth financial financially few finally laid expenses expected everything layoff learning every even leave left euro especially entertainment entertaining enough end last extortion fiance extra itself feet fees feel fee fault far kept kidding fan family fair kids face lack jacking im its her hiking hikes hike higher high increments inflation holder help health he having havent instead history increasing interested huge improvements if idea husband income hungry how horrible increased households increases household house hosehold have into it gone gouging isnt gotten got good gonna going isn goes issue given issues ill girl grandkids great has hand intolerable iny hardly hard happy emails half greed had is hacking hackednot guys greedy give youre email been bf between better benefits benefit being begin before becoming aunt because became be barely bank back awhile away biannually biased biden biggest canceling can bye by but business buggin budget broke break both blindly bit bills billings billing bill automatically at cannot adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater agree alarming all aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian already allowed allow cancelling cant else death disappointed direction differences didnt deteriorated delivering declined decisions deal currently days day daughter damn dad cutting cut customers discontinue disgusting disgusts divorce eliminating el edge easily earlier duplicate due drive drastically drain down double done don less doesnt do customer current card checking combining combine college climbing climb city choose choice charging currency charges charged charge changing change caring cared care come coming company competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider compromised legacy loyal lesser squeeze stop stepdad stealing stay states starting started start spouses thanks spouse spend span sorry soon son something someone stopped stopping stranger stupid than terrible temporary temporarily taste talk taking take system support summer success subscriptions subscription subscribers subscriber sub some situation single seems secure second scaling scales saving save same run rules rule rotating rising risen ripped right ridiculous return see seen significant selection signaling sign sight sick shoves shouldn short she sharing share several settled set servicio services series sense thank thats let way whats what were went well weeks week we waste their was warrant wanted waiting wait vs virtue value when where while who youll yet years yearly yall ya wouldn would worth workable work wont won without willing wife why vaccine ut using tracking tooo too told today tired tipped times time tightening tight throughout think things thing they these there town try uses trying users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice retiring retired resubscribe need no nice next news newest new never needed must restriction multiple much moving moved move more monthly month non nonesence nonsense not option opportunity opening opened ontario only oneday one on ok often offered off of now notified nothing money monetary moment loyalty lost losing loose looking longer long lol locations location ll living little limiting limited limit life letting lower luck mistake made mind might merge memberships members member medical means maybe may married market many manservices making makes make options or original reality re rather rates raising raises raise quickly quality putting put pushed profits profit profiles problem pricing president reactivate really prefer
Topic 4 | Coherence=-229479.39 | Top words= my you and for to going me re charge subscription no in thank bye anyways that kids the college daughter uses is sign she ut good one on more another other activities or choose now made putting already into expensive as between have are want only unfair intolerable city live wife this divorce increase through fair how courtesy need left even price don kidding moving spend profits up business company lack households combine remarried than quality summer over country health less aparently better household financial bills workable service allow renewing billing grandkids greedy greed great amercian gotten gouging am got amount gonna gone amounts guys hacking hacked hard having havent all has hardly allowed almost also happy hand half had go hackednot goes girl given fiance flat fixed fix first financially finally few food feet fees feel fee annually fault focused an give games alarming gf getting get gas garbage future forcing fuel from frequent free forth forever he her help just join job jacking accounts itself its it issues issue isnt isn acct iny added adding joint justify agree keep legacy about leave learning layoff later absurd last laid acceptance access account kept keeps keeping interested instead inflation increments afford after again house hosehold horrible holder history againlater hiking hikes hike higher high fan adicional huge hungry additional increasses increasing increases increased addition income improvements addtional im ill if addresses idea husband far any family compared coming became come combining because becoming climbing climb been before choice checking cheaper charging charges be competitive anticonsumer compromised back bank costs cost continuous continues barely continue continually continously constantly constant consolidating consider connected charged begin changing changes biannually by biased but biden buggin budget broke break boyfriend biggest bill both blindly bit bf benefits can caring changed change being cell caused benefit cared cancel care card cant cannot cancelling canceling awhile covid credit drain end emails email elsewhere else eliminating el edge easily aunt earlier each duplicate due drive enough entertaining entertainment apps billings fact face extra anymore extortion expenses especially expected everything every aren euro at drastically down creep double death deal days day away date damn dad cutting cut customers customer currently current currency decisions declined delivering disgusts dont done lesser doesnt do automatically disgusting deteriorated discontinue disappointed direction different differences didnt youre loyal let spouse stealing stay states starting started start squeeze spouses spending single span sorry soon son something someone some so stepdad stop stopped stopping terrible temporary temporarily taste talk taking take system switching support success subscriptions subscribers subscriber sub stupid stranger situation since letting rules secure second scaling scales saving save same run rule significant rotating rising risen rise ripped right ridiculous return see seems seen selection signaling sight sick shoves shouldn should short sharing share shady several settled set servicio services series sense thanks thats their we when whats what were went well weeks week way there waste was warrant wants wanted waiting wait vs where while who why youll yet years yearly year yall ya wouldn would worth work wont won without with willing will virtue value vaccine tried town tooo too told today tired tipped times time tightening tight throughout think things thing they these tracking try using trying users used use us upward upping upcoming until unneeded unnecessary unfortunately unemployed understand under unable two twice retiring retired resume must non nice next news newest new never needed multiple our much moved move months monthly month money monetary nonesence nonsense not nothing original options option opportunity opening opened ontario oneday once ok often offset offered offer off of notified moment mom mistake your lost losing loose looking longer long lol locations location ll living little limiting limited limit like life lower loyalty mind luck might merge memberships membership members member medical means maybe may married market many manservices making makes make others out resubscribe quickly reactivate rather rates rate raising raises raised raise put outside pushed provider profit profiles problem pricing prices president reality really reason
Topic 5 | Coherence=-221237.19 | Top words= prices or your are you biannually far consider has entertaining year seems ill after raising options increases increasing like company price much stop many it have business elsewhere issues take users customer constantly money subscription with financial into some between success went oneday earlier cannot multiple since get put every sorry please damn than personal unemployed billings stopped hungry poland having changed more situation these amercian kidding charges months this joint on cell games another son buggin getting from fuel gone frequent given future going garbage gas gf girl give left go goes kept free forth lesser fan family fair fact face extra extortion let expensive expenses expected everything even euro especially entertainment fault fee feel fixed forever forcing for food legacy focused gonna fix fees first financially finally fiance few less feet flat learning good instead increments increasses lack laid increased increase income in improvements im last if idea husband later inflation kids how interested keeping keep justify just join job jacking itself its issue isnt isn is iny intolerable huge households got hard hand half keeps leave had hacking hackednot hacked guys greedy greed great grandkids gouging gotten happy enough household layoff house hosehold horrible holder history hiking hikes hike higher high her help health he havent hardly youre end been biased bf better benefits benefit being begin before becoming aunt because became be barely bank back awhile away biden biggest bill billing card cant cancelling canceling cancel can bye by but budget broke break boyfriend both blindly bit bills automatically at emails adding againlater again afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer annually and an amounts amount am also already almost allowed care cared caring delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined caused decisions death deal days day daughter date dad disgusts divorce do doesnt email else eliminating el edge easily each duplicate due drive drastically drain down double dont done letting cutting cut customers compared come combining combine college climbing climb city choose choice checking cheaper charging charged charge changing changes change coming competitive currently compromised current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating connected don loyal life squeeze stopping stepdad stealing stay states starting started start spouses significant spouse spending spend span soon something someone so stranger stupid sub subscriber the thats that thanks thank terrible temporary temporarily taste talk taking system switching support summer subscriptions subscribers single signaling there rules secure second scaling scales saving save same run rule sign rotating rising risen rise ripped right ridiculous return see seen selection sense sight sick shoves shouldn should short she sharing share shady several settled set servicio services service series their they limit way when whats what were well weeks week we waste value was warrant wants wanted want waiting wait vs where while who why youll yet years yearly yall ya wouldn would worth workable work wont won without willing will wife virtue vaccine thing tired tried tracking town tooo too told today to tipped ut times time tightening tight throughout through think things try trying twice two using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable retiring retired resume newest not nonsense nonesence non no nice next news new month never needed need my must moving moved move nothing notified now of others other original option opportunity opening opened ontario only one once ok often offset offered offer off monthly monetary resubscribe long luck loyalty lower lost losing loose looking longer lol moment locations location ll living live little limiting limited made make makes making mom mistake mind might merge memberships membership members member medical means me maybe may married market manservices our out outside raised really reality reactivate re rather rates rate raises raise over quickly quality putting pushed provider profits profit profiles reason recent recently
Topic 6 | Coherence=-217525.25 | Top words= to cut due with back have expenses prices just month job need losing my costs trying don this the off on high laid and bills having entertainment fuel these rise possible other money much rent per increased reducing am lost almost when damn long reduce get got gas mind as currently months in feet spending piracy yall family looking must retiring can vaccine unneeded monthly medical redo reside eliminating gotten membership competitive apps forth free lack forever forcing for food layoff girl frequent from future games garbage goes go last given give getting gf later issues focused flat left face extra extortion expensive legacy expected everything every even euro especially less entertaining lesser fact fair leave finally fixed fix first financially learning financial fiance fan going fees feel fee fault far few greedy gone keep join joint income improvements im ill if idea husband justify hungry huge how households household increase jacking increases interested isnt isn is iny intolerable into instead increasing inflation it increments its itself increasses house hosehold gonna horrible hard happy hand half had hacking hackednot hacked guys issue greed great grandkids gouging good hardly has kids hikes keeping holder keeps history hiking kept hike havent higher kidding enough help health he her youre end being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing away but card cant cannot cancelling canceling cancel bye by business billings buggin budget broke break boyfriend both blindly bit awhile automatically cared adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aunt another at aren are aparently anyways anymore any anticonsumer annually all an amounts amount amercian also already allowed allow care caring emails declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day daughter date dad cutting disgusting divorce customer duplicate email elsewhere else el edge easily earlier each letting do drive drastically drain down double dont done doesnt customers current caused cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming currency continue creep credit covid courtesy country cost continuous continues continually company continously constantly constant consolidating consider connected compromised compared let loyal life stay sub stupid stranger stopping stopped stop stepdad stealing states soon starting started start squeeze spouses spouse spend span subscriber subscribers subscription subscriptions thats that thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success sorry son rule seems set servicio services service series sense selection seen see something secure second scaling scales saving save same run settled several shady share someone some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing their there they we where whats what were went well weeks week way thing waste was warrant wants wanted want waiting wait while who why wife youll you yet years yearly year ya wouldn would worth workable work wont won without willing will vs virtue value twice tried tracking town tooo too told today tired tipped times time tightening tight throughout through think things try two ut unable using uses users used use us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand under rules rotating like nonsense offset offered offer of now notified nothing not nonesence multiple non no nice next news newest new never often ok once one own overpriced over outside out our others original or options option opportunity opening opened ontario only oneday needed moving rising lol make made luck loyalty your lower loose longer locations moved location ll living live little limiting limited limit makes making manservices many move more monetary moment mom mistake might merge memberships members member means me maybe may married market owner owning pagos rates recently recent reason really reality reactivate re rather rate parent raising raises raised raise quickly quality putting put recession rectifying reflect
Topic 7 | Coherence=-224403.86 | Top words= subscription with has my in an price already the same do who someone moving he bf rates higher than others thing much husband dont continues it need subscriptions so using phone rise no wife keeps cant daughter at sight like anymore married her free service moved emails different another payment end double life residence offered stepdad sub news everything own increased get agree what got disappointed spouse hacking hacked people one spouses seen benefits opened acct cost focused shouldn out interested flat extortion expensive extra gf expected getting face expenses even girl every fair euro especially entertainment give entertaining given enough go goes going fact far family fuel fix food for forcing first forever forth financially financial frequent from finally fan future fiance few games feet fees garbage gas feel fee fault fixed youre gone iny itself its issues issue isnt isn is intolerable job into instead inflation increments increasses increasing increases jacking join income laid legacy left leave learning layoff later last lack joint kids kidding kept keeping keep justify just increase improvements gonna hackednot havent have hardly hard hand half had guys health greedy greed great grandkids gouging gotten good having help im household ill if idea hungry huge how households house high hosehold horrible holder history hiking hikes hike happy don email being bill biggest biden biased biannually between better benefit begin awhile before been becoming because became be barely bank billing billings bills bit card cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly back away elsewhere addition againlater again after afford adicional addtional addresses additional adding automatically added activities accounts account access acceptance absurd about alarming all allow allowed aunt as aren are apps aparently anyways any anticonsumer annually and amounts amount amercian am also almost care cared caring days differences didnt deteriorated delivering declined decisions death deal day caused date damn dad cutting cut customers customer currently direction discontinue disgusting disgusts else eliminating el edge easily earlier each duplicate due drive drastically drain down done lesser doesnt divorce current currency creep combining college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell combine come credit coming covid courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared company less loyal let starting stupid stranger stopping stopped stop stealing stay states started things start squeeze spending spend span sorry soon son subscriber subscribers success summer these there their thats that thanks thank terrible temporary temporarily taste talk taking take system switching support something some situation selection see secure second scaling scales saving save run rules rule rotating rising risen ripped right ridiculous return seems sense single series since significant signaling sign sick shoves should short she sharing share shady several settled set servicio services they think retired way when whats were went well weeks week we waste this was warrant wants wanted want waiting wait vs where while why will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing virtue value vaccine twice try tried tracking town tooo too told today to tired tipped times time tightening tight throughout through trying two ut unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under retiring resume letting needed nonsense nonesence non nice next newest new never must our multiple move more months monthly month money monetary not nothing notified now original or options option opportunity opening ontario only oneday once on ok often offset offer off of moment mom mistake loyalty lower lost losing loose looking longer long lol locations location ll living live little limiting limited limit your luck mind made might merge memberships membership members member medical means me maybe may market many manservices making makes make other outside resubscribe raise reality reactivate re rather rate raising raises raised quickly over quality putting put pushed provider profits profit profiles really reason recent
Topic 8 | Coherence=-215209.48 | Top words= price the and increasing other selection has hike like that since gone in was your member just drastically deteriorated continually span increase of keeps down months use but goes pick scales finally direction market new drive manservices tipped hardly to competitive up one shouldn from delivering while little point value loyal annually stopping afford after drain sorry climbing upcoming far customer options ill being raising barely activities everything expected extortion gf get girl gas expenses give expensive getting fiance every euro given go especially entertainment going entertaining gonna good got gotten even extra garbage games feet financial fees financially feel fee first fault fix fixed flat focused fan food for forcing forever forth family free fair frequent fact fuel face few future gouging having grandkids justify join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation joint keep increasses keeping life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept increments increases great high help health he end havent have hard happy hand half had hacking hackednot hacked guys greedy greed her higher increased hikes income improvements im if idea husband hungry huge how households household house hosehold horrible holder history hiking enough dont emails begin biden biased biannually bf between better benefits benefit before automatically been becoming because became be bank back awhile biggest bill billing billings cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills away aunt email addition alarming agree againlater again adicional addtional addresses additional adding at added acct accounts account access acceptance absurd about all allow allowed almost as aren are apps aparently anyways anymore any anticonsumer another an amounts amount amercian am also already cant card care day different differences didnt declined decisions death deal days daughter cared date damn dad cutting cut customers currently current disappointed discontinue disgusting disgusts elsewhere else eliminating el edge easily earlier each duplicate due double limited done don doesnt do divorce currency creep credit combine climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused caring college combining covid come courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected compromised compared company coming limit youre limiting started stranger stopped stop stepdad stealing stay states starting start sub squeeze spouses spouse spending spend soon son something stupid subscriber return talk thats thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription someone some so same seen seems see secure second scaling saving save run situation rules rule rotating rising risen rise ripped right sense series service services single significant signaling sign sight sick shoves should short she sharing share shady several settled set servicio their there these weeks who where when whats what were went well week vs we way waste warrant wants wanted want waiting why wife will willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with wait virtue they times tried tracking town tooo too told today tired time vaccine tightening tight throughout through this think things thing try trying twice two ut using uses users used us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring live nice now notified nothing not nonsense nonesence non no next offer news newest never needed need my must multiple off offered retired opportunity over outside out our others original or option opening offset opened ontario only oneday once on ok often much moving moved losing making makes make made luck loyalty lower lost loose move looking longer long lol locations location ll living many married may maybe more monthly month money monetary moment mom mistake mind might merge memberships membership members medical means me overpriced own owner rate recent reason really reality reactivate re rather rates raises profit raised raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 9 | Coherence=-232575.66 | Top words= greedy is the and just last profiles starting additional profit in after it prices use year price for raising time increase to you charge ridiculous moved sharing as of months are my by can many with this constant increases terrible hikes see issues expected future who pricing too increasing expensive never subscriber waste twice rather would stop learning opened son spend duplicate being mistake taking gouging new caring cost business over dont card fixed increased news play family else from frequent go get fuel games garbage gas given gone getting gf going goes give girl youre free fault fan fair fact face extra extortion expenses everything every even euro especially entertainment entertaining enough far fee forth feel forever forcing food focused flat fix first financially financial good finally fiance few feet fees gonna have got into itself its issue isnt isn iny intolerable interested if instead inflation increments increasses income improvements im jacking job join joint less legacy left leave layoff later laid lack kids kidding kept keeps keeping keep justify ill idea gotten half havent emails has hardly hard happy hand had husband hacking hackednot hacked guys greed great grandkids having he health help hungry huge how households household house hosehold horrible holder history hiking hike higher high her end do email before biased biannually bf between better benefits benefit begin been automatically becoming because became be barely bank back awhile biden biggest bill billing cant cannot cancelling canceling cancel bye but buggin budget broke break boyfriend both blindly bit bills billings away aunt cared adding agree againlater again afford adicional addtional addresses addition added at activities acct accounts account access acceptance absurd about alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost care caused elsewhere death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts eliminating el edge easily earlier each due drive drastically drain down double done don doesnt let divorce customers currently cell choice come combining combine college climbing climb city choose checking current cheaper charging charges charged changing changes changed change coming company compared competitive currency creep credit covid courtesy country costs continuous continues continue continually continously constantly consolidating consider connected compromised lesser loyal letting spending stealing stay states started start squeeze spouses spouse span significant sorry soon something someone some so situation single stepdad stopped stopping stranger thank than temporary temporarily taste talk take system switching support summer success subscriptions subscription subscribers sub stupid since signaling life rule second scaling scales saving save same run rules rotating sign rising risen rise ripped right return retiring retired secure seems seen selection sight sick shoves shouldn should short she share shady several settled set servicio services service series sense thanks that thats was what were went well weeks week we way warrant their wants wanted want waiting wait vs virtue value whats when where while youll yet years yearly yall ya wouldn worth workable work wont won without willing will wife why vaccine ut using tried town tooo told today tired tipped times tightening tight throughout through think things thing they these there tracking try uses trying users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two resume resubscribe restriction must nonesence non no nice next newest needed need multiple original much moving move more monthly month money monetary nonsense not nothing notified options option opportunity opening ontario only oneday one once on ok often offset offered offer off now moment mom mind your lost losing loose looking longer long lol locations location ll living live little limiting limited limit like lower loyalty might luck merge memberships membership members member medical means me maybe may married market manservices making makes make made or other restrict quality reactivate re rates rate raises raised raise quickly putting others put pushed provider profits problem president prescription prefer reality really reason
Topic 10 | Coherence=-239869.28 | Top words= and extra subscription charge im youre are if raising prices better you other services using kept gonna people reason cheaper only your out charging that was now so keep the for it my sharing with no to away passed will an too support account parents longer climb hacked family of its disgusting this has owner she dad had paying mom hard newest hike thing fix parent owning saving aunt death bye holder higher rates way person even loyalty worth fair garbage start as uses kids money ontario forcing forever getting lack food focused keeping forth justify free frequent from fuel get future games girl flat kidding gf keeps gas improvements fiance fixed fact leave entertaining entertainment especially euro every learning everything expected expenses expensive extortion layoff face later first fan far fault fee last laid feel fees feet few given finally financial financially give going go history instead inflation havent increments having increasses he health help her high increasing hikes hiking increases interested horrible hosehold house household households increased how huge hungry husband idea increase ill income have hardly just great joint join goes job in gone jacking good itself got gotten issues gouging grandkids issue end isnt greed greedy guys isn is iny hackednot hacking intolerable into half hand happy enough done emails being biggest biden biased biannually bf between benefits benefit begin billing before been becoming because became be barely bank bill billings cared but card cant cannot cancelling canceling cancel can by business bills buggin budget broke break boyfriend both blindly bit back awhile automatically addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost allowed care caring email declined discontinue disappointed direction different differences didnt deteriorated delivering decisions divorce deal days day daughter date damn cutting cut disgusts do caused duplicate elsewhere else eliminating el edge easily earlier each due doesnt drive drastically drain down double dont legacy don customers customer currently choose company coming come combining combine college climbing city choice current checking charges charged changing changes changed change cell compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider left loyal less spouses stop stepdad stealing stay states starting started squeeze spouse retiring spending spend span sorry soon son something someone stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscribers subscriber sub some situation single seen see secure second scaling scales save same run rules rule rotating rising risen rise ripped right ridiculous seems selection since sense significant signaling sign sight sick shoves shouldn should short share shady several settled set servicio service series thanks thats their where whats what were went well weeks week we waste warrant wants wanted want waiting wait vs virtue when while vaccine who youll yet years yearly year yall ya wouldn would workable work wont won without willing wife why value ut there try tracking town tooo told today tired tipped times time tightening tight throughout through think things they these tried trying users twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired lesser much next news new never needed need must multiple moving resume moved move more months monthly month monetary moment nice non nonesence nonsense option opportunity opening opened oneday one once on ok often offset offered offer off notified nothing not mistake mind might lost loose looking long lol locations location ll living live little limiting limited limit like life letting let losing lower merge luck memberships membership members member medical means me maybe may married market many manservices making makes make made options or original recently really reality reactivate re rather rate raises raised raise quickly quality putting put pushed provider profits profit recent recession problem
Topic 11 | Coherence=-228985.80 | Top words= is too it for prices keep going and increasing expensive much me now like rates we long at subscriber customer time feel will there loyalty only alarming new charges many your terrible pricing upward unfortunately addition service you sharing worth have are cost not added has options stupid system way rule rising later maybe second right its vs itself of workable longer declined quickly risen offered whats charging tooo overpriced increased greedy up doesnt won users summer twice frequent from entertainment fuel future especially games garbage free gas entertaining get enough even getting gf girl end give emails email given go goes elsewhere euro far every forth fee fees gone feet few family fiance finally fair financial financially fact first fix face fixed flat focused extra food extortion forcing forever expenses expected everything fault fan youre gonna increases intolerable into interested instead inflation increments increasses increase isn income in improvements im ill if idea iny isnt good keeps layoff last laid lack kids kidding kept keeping issue justify just joint join job jacking issues husband hungry huge hackednot hardly hard happy hand half had hacking hacked how guys greed great grandkids gouging gotten got eliminating havent having he households household house hosehold horrible holder history hiking hikes hike higher high her help health else disappointed el begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill edge buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings awhile away automatically additional agree againlater again after afford adicional addtional addresses adding aunt activities acct accounts account access acceptance absurd about all allow allowed almost as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already cannot cant card day differences didnt deteriorated delivering decisions death deal days daughter creep date damn dad cutting cut customers currently current different direction leave discontinue easily earlier each duplicate due drive drastically drain down double dont done don do divorce disgusts disgusting currency credit care charged college climbing climb city choose choice checking cheaper charge covid changing changes changed change cell caused caring cared combine combining come coming courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company learning loyal left soon start squeeze spouses spouse spending spend span sorry son legacy something someone some so situation single since significant started starting states stay taste talk taking take switching support success subscriptions subscription subscribers sub stranger stopping stopped stop stepdad stealing signaling sign sight scaling saving save same run rules rotating rise ripped ridiculous return retiring retired resume resubscribe restriction restrict restart scales secure sick see shoves shouldn should short she share shady several settled set servicio services series sense selection seen seems temporarily temporary than when were went well weeks week waste was warrant wants wanted want waiting wait virtue value vaccine ut what where uses while youll yet years yearly year yall ya wouldn would work wont without with willing wife why who using used thank to tipped times tightening tight throughout through this think things thing they these their the thats that thanks tired today use told us upping upcoming until unneeded unnecessary unfair unemployed understand under unable two trying try tried tracking town respect residence reside no next news newest never needed need my must multiple moving moved move more months monthly month money nice non moment nonesence option opportunity opening opened ontario oneday one once on ok often offset offer off notified nothing nonsense monetary mom original lost loose looking lol locations location ll living live little limiting limited limit life letting let lesser less losing lower mistake luck mind might merge memberships membership members member medical means may married market manservices making makes make made or other repurposing rate raises raised raise quality putting put pushed provider profits profit profiles problem price president prescription prefer preemptively raising rather possible
Topic 12 | Coherence=-234635.72 | Top words= price and increase not worth subscription keep prices people of sharing you your raising up my more bye anymore how money tracking their continue talk limited just recent they it paying out squeeze yet even new go now was upping rules access raised budget try by hacked getting less increasing made to expensive creep happy used fees raise constant done no spending climb subscriptions stranger what charges amounts huge damn being thanks profits have isn higher had charge set the earlier given keeps acct today support would using notified from goes future give girl gf get fuel gas games garbage financially frequent expected family fair fact face extra extortion expenses everything far every euro especially entertainment entertaining enough end fan fault free fixed forth forever forcing for food focused flat fix fee first financial finally fiance few feet feel going youre gone increments is iny intolerable into interested instead inflation increasses gonna increases increased income in improvements im ill isnt issue issues its layoff later last laid lack kids kidding kept keeping justify joint join job jacking itself if idea husband email hardly hard hand half hacking hackednot guys greedy greed great grandkids gouging gotten got good has havent hungry having households household house hosehold horrible holder history hiking hikes hike high her help health he emails disgusting elsewhere been biannually bf between better benefits benefit begin before becoming card because became be barely bank back awhile away biased biden biggest bill cannot cancelling canceling cancel can but business buggin broke break boyfriend both blindly bit bills billings billing automatically aunt at alarming againlater again after afford adicional addtional addresses additional addition adding added activities accounts account acceptance absurd about agree all as allow aren are apps aparently anyways any anticonsumer another annually an amount amercian am also already almost allowed cant care else death direction different differences didnt deteriorated delivering declined decisions deal cared days day daughter date dad cutting cut customers disappointed discontinue leave disgusts eliminating el edge easily each duplicate due drive drastically drain down double dont don doesnt do divorce customer currently current come combine college climbing city choose choice checking cheaper charging charged changing changes changed change cell caused caring combining coming currency company credit covid courtesy country costs cost continuous continues continually continously constantly consolidating consider connected compromised competitive compared learning loyal left something start spouses spouse spend span sorry soon son someone legacy some so situation single since significant signaling sign started starting states stay temporarily taste taking take system switching summer success subscribers subscriber sub stupid stopping stopped stop stepdad stealing sight sick shoves scales save same run rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction saving scaling shouldn second should short she share shady several settled servicio services service series sense selection seen seems see secure temporary terrible than where whats were went well weeks week we way waste warrant wants wanted want waiting wait vs virtue when while vaccine who youll years yearly year yall ya wouldn workable work wont won without with willing will wife why value ut thank tooo told tired tipped times time tightening tight throughout through this think things thing these there thats that too town uses tried users use us upward upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying restrict restart respect next newest never needed need must multiple much moving moved move months monthly month monetary moment mom mistake news nice might non opening opened ontario only oneday one once on ok often offset offered offer off nothing nonsense nonesence mind merge option losing looking longer long lol locations location ll living live little limiting limit like life letting let lesser loose lost memberships lower membership members member medical means me maybe may married market many manservices making makes make luck loyalty opportunity options residence rather rate raises quickly quality putting put pushed provider profit profiles problem pricing president prescription prefer preemptively power rates re por
Topic 13 | Coherence=-235101.91 | Top words= it afford to this can you anymore not enough now that keep time at high cant what prices re being don greedy ll understand hiking cared leave means wouldn begin were us only but pay if with using about for right up no my of when thanks want way by think willing inflation biden job caused lost president fault got just am too longer summer get charge start play again coming opportunity will raising cannot month outside any apps interested charging and declined nonsense taking hardly other upping expensive between isnt financially food give expenses given extortion extra girl go gf face fact expected goes family going gone everything gonna good every even euro especially entertainment gotten gouging fair fan getting future forcing flat forever forth grandkids free frequent from fix first fuel games focused financial finally fiance few feet garbage fees gas feel fee far fixed youre great instead issue isn is iny intolerable into increments its increasses increasing increases increased increase income issues itself improvements kids learning layoff later last laid lack kidding jacking kept keeps keeping justify joint join in im greed happy he having havent have has hard hand help half had hacking hackednot hacked guys health entertaining ill household idea husband hungry huge how households house higher hosehold horrible holder history hikes hike her disgusts end bills billing bill biggest biased biannually bf better benefits benefit before been becoming because became be barely bank billings bit changing blindly changed change cell caring care card cancelling canceling cancel bye business buggin budget broke break boyfriend both back awhile away automatically agree againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd alarming all allow another aunt as aren are aparently anyways anticonsumer annually allowed an amounts amount amercian also already almost changes charged emails do legacy disgusting discontinue disappointed direction different differences didnt deteriorated delivering decisions death deal days day daughter date divorce doesnt charges done email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont damn dad cutting cut consider connected compromised competitive compared company come combining combine college climbing climb city choose choice checking cheaper consolidating constant constantly covid customers customer currently current currency creep credit courtesy continously country costs cost continuous continues continue continually left loyal less someone spouse spending spend span sorry soon son something some take so situation single since significant signaling sign sight spouses squeeze started starting switching support success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states sick shoves shouldn scaling saving save same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe scales second should secure short she sharing share shady several settled set servicio services service series sense selection seen seems see system talk lesser wanted well weeks week we waste was warrant wants waiting taste wait vs virtue value vaccine ut uses users went whats where while youll yet years yearly year yall ya would worth workable work wont won without wife why who used use upward tipped tightening tight throughout through things thing they these there their the thats thank than terrible temporary temporarily times tired upcoming today until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking town tooo told restriction restrict restart much news newest new never needed need must multiple moving respect moved move more months monthly money monetary moment next nice non nonesence options option opening opened ontario oneday one once on ok often offset offered offer off notified nothing mom mistake mind your losing loose looking long lol locations location living live little limiting limited limit like life letting let lower loyalty might luck merge memberships membership members member medical me maybe may married market many manservices making makes make made or original others reactivate rates rate raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price rather reality prefer
Topic 14 | Coherence=-232773.98 | Top words= price the too and increases many for charging not hikes hike raised newest me an has subscription share of way high long months other service over times out subscriptions gotten with in renewing new be being this while access pushed edge customer will sick lol quality youll amount given people town becoming addtional have tired to entertaining off saving consider ripped workable deal problem pleased more limiting think continuous stupid biannually broke seems covid system policies moved again reflect unemployed stop often afford but absurd locations fix forcing keeping fixed keeps first flat focused food justify financially keep households forever forth financial free frequent from joint fuel join job future games garbage gas get just fiance finally extra entertainment especially euro later even every last everything expected laid expenses expensive lack extortion kids getting face fact kidding fair family fan far fault fee feel fees feet few kept jacking give gf health increase increased increasing increasses her help he interested having havent increments inflation enough instead higher income improvements im hiking history ill holder horrible hosehold house if idea husband hungry huge household hardly into girl issues isnt got good issue gonna gone going intolerable it goes its go itself how gouging grandkids great greed greedy guys hacked isn hackednot hacking had half is hand happy hard iny youre do end better billings billing bill biggest biden biased bf between benefits cell benefit begin before been because became barely bank bills bit blindly both caring cared care card cant cannot cancelling canceling cancel can bye by business buggin budget break boyfriend back awhile away allowed all alarming agree againlater after adicional addresses additional addition adding added activities acct accounts account acceptance about allow almost automatically already aunt at as aren are apps aparently anyways anymore any anticonsumer another annually amounts amercian am also caused change emails deteriorated disgusts disgusting discontinue disappointed direction different differences didnt delivering changed declined decisions death days day daughter date damn divorce learning doesnt don email elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down double dont done dad cutting cut compared coming come combining combine college climbing climb city choose choice checking cheaper charges charged charge changing changes company competitive customers compromised currently current currency creep credit courtesy country costs cost continues continue continually continously constantly constant consolidating connected layoff loyal leave stealing states starting started start squeeze spouses spouse spending spend span sorry soon son something someone some so stay stepdad single stopped than terrible temporary temporarily taste talk taking take switching support summer success subscribers subscriber sub stranger stopping situation since thanks see second scaling scales save same run rules rule rotating rising risen rise right ridiculous return retiring retired secure seen significant selection signaling sign sight shoves shouldn should short she sharing shady several settled set servicio services series sense thank that left when what were went well weeks week we waste was warrant wants wanted want waiting wait vs virtue whats where vaccine who you yet years yearly year yall ya wouldn would worth work wont won without willing wife why value ut thats trying tried tracking tooo told today tipped time tightening tight throughout through things thing they these there their try twice using two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable resume resubscribe restriction no next news never needed need my must multiple much moving move monthly month money monetary moment mom nice non mind nonesence opportunity opening opened ontario only oneday one once on ok offset offered offer now notified nothing nonsense mistake might restrict lost loose looking longer location ll living live little limited limit like life letting let lesser less legacy losing lower merge your memberships membership members member medical means maybe may married market manservices making makes make made luck loyalty option options or reactivate rather rates rate raising raises raise quickly putting put provider profits profit profiles pricing prices president prescription re reality
Topic 15 | Coherence=-227524.91 | Top words= and the you of extra my about family increase using share don subscription want when bill money outside paying like with that states idea power limit news to different be country location current currency extortion moved changed cant charges hosehold subscriptions agree unable other dont changing going new been great person phone out problem disappointed goes good go gone gonna given give girl gf few got everything every expected gotten gouging even euro grandkids greed especially entertainment greedy guys entertaining hacked getting expensive get gas forever feel forcing for food focused flat fees feet fixed fix first financially financial finally fee fault hacking future expenses fiance face garbage games fact fuel forth fair from frequent fan free far hackednot youre had keeping justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable into keep keeps instead kept limited life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding interested inflation half history hikes hike higher high her help health he having end havent have has hardly hard happy hand hiking holder increments horrible increasses increasing increases increased income in improvements im ill if husband hungry huge how households household house enough drain emails before biannually bf between better benefits benefit being begin becoming biden because became barely bank back awhile away automatically biased biggest email buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account access acceptance absurd alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cannot card care death discontinue direction differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disgusting disgusts divorce do elsewhere else eliminating el edge easily earlier each duplicate due drive drastically little down double done doesnt customers currently cared checking combining combine college climbing climb city choose choice cheaper creep charging charged charge changes change cell caused caring come coming company compared credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limiting loyal live squeeze stopped stop stepdad stealing stay starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid there talk thats thanks thank than terrible temporary temporarily taste taking sub take system switching support summer success subscribers subscriber someone some so scales sense selection seen seems see secure second scaling saving situation save same run rules rule rotating rising risen series service services servicio single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set their these ripped way whats what were went well weeks week we waste while was warrant wants wanted waiting wait vs virtue where who they would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife value vaccine ut times tracking town tooo too told today tired tipped time uses tightening tight throughout through this think things thing tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two rise right living no off now notified nothing not nonsense nonesence non nice offered next newest never needed need must multiple much offer offset owner opportunity overpriced over our others original or options option opening often opened ontario only oneday one once on ok moving move more lower manservices making makes make made luck loyalty your lost months losing loose looking longer long lol locations ll many market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe own owning ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pagos respect return
Topic 16 | Coherence=-225618.67 | Top words= to customer service for care need garbage paying change of customers your even increase again billing rate this just about and services no other before you start do price things take first date prices country at help unable all horrible blindly quality should why others my offer better lesser what several new in discontinue keep weeks am down long less but live stupid scaling reflect aren amercian poland temporarily focused buggin due while creep who sight we was amount far gas good expected euro expenses every got gotten expensive given gonna go get gone everything going extortion getting gf girl give goes feet frequent extra food few fiance finally financial financially fix fixed flat fees grandkids feel fee fault games fan forcing forever forth free family fair fact face from fuel future gouging youre great income its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases itself jacking job laid legacy left leave learning layoff later last lack join kids kidding kept keeps keeping justify joint increased improvements greed im health he having havent have has hardly hard happy hand half had hacking hackednot hacked guys greedy entertainment her high households ill if idea husband hungry huge how household higher house hosehold holder history hiking hikes hike especially doesnt entertaining bills bill biggest biden biased biannually bf between benefits benefit being begin been becoming because became be barely billings bit back both caused caring cared card cant cannot cancelling canceling cancel can bye by business budget broke break boyfriend bank awhile enough alarming againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd agree allow away allowed automatically aunt as are apps aparently anyways anymore any anticonsumer another annually an amounts also already almost cell changed changes letting disgusts disgusting disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter damn divorce don changing done end emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain double dont dad cutting cut currently company coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge compared competitive compromised continuous current currency credit covid courtesy costs cost continues connected continue continually continously constantly constant consolidating consider let loyal life spouses stop stepdad stealing stay states starting started squeeze spouse so spending spend span sorry soon son something someone stopped stopping stranger sub thanks thank than terrible temporary taste talk taking system switching support summer success subscriptions subscription subscribers subscriber some situation resume rule secure second scales saving save same run rules rotating single rising risen rise ripped right ridiculous return retiring see seems seen selection since significant signaling sign sick shoves shouldn short she sharing share shady settled set servicio series sense that thats the wants whats were went well week way waste warrant wanted their want waiting wait vs virtue value vaccine ut when where wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing using uses users tracking tooo too told today tired tipped times time tightening tight throughout through think thing they these there town tried used try use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice trying retired resubscribe like needed nonsense nonesence non nice next news newest never must money multiple much moving moved move more months monthly not nothing notified now or options option opportunity opening opened ontario only oneday one once on ok often offset offered off month monetary restriction longer made luck loyalty lower lost losing loose looking lol moment locations location ll living little limiting limited limit make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many original our out quickly reactivate re rather rates raising raises raised raise putting outside put pushed provider profits profit profiles problem pricing reality really reason
Topic 17 | Coherence=-227491.28 | Top words= you extra of your share greedy charging to because also subscriptions many hikes past fan price years few way money over the not with my me out cant without grandkids stay company playing tired subscribers games gotten is addition disgusts spending afford greed so payment caring caused upcoming down it first everything expenses expensive got good extortion gonna gone face fact going goes go given expected gouging girl every great even euro especially entertainment entertaining enough guys end hacked emails email give fair financially family financial fix fixed finally flat focused food hackednot for forcing fiance feet forever forth free frequent from fuel future fees garbage gas get getting feel fee gf fault far youre have hacking itself keeping keep justify just joint join job jacking its inflation issues issue isnt isn iny intolerable into interested keeps kept kidding kids limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack instead increments had he history hiking hike higher high her help health having increasses havent else has hardly hard happy hand half holder horrible hosehold house increasing increases increased increase income in improvements im ill if idea husband hungry huge how households household elsewhere double eliminating before biannually bf between better benefits benefit being begin been biden becoming became be barely bank back awhile away biased biggest aunt budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at el adding agree againlater again after adicional addtional addresses additional added all activities acct accounts account access acceptance absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed and an amounts amount amercian am already almost cancelling cannot card day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction care drain edge easily earlier each duplicate due drive drastically little disappointed dont done don doesnt do divorce disgusting discontinue current currency creep cheaper combine college climbing climb city choose choice checking charges credit charged charge changing changes changed change cell cared combining come coming compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limiting loyal live squeeze stopped stop stepdad stealing states starting started start spouses stranger spouse spend span sorry soon son something someone stopping stupid their talk that thanks thank than terrible temporary temporarily taste taking sub take system switching support summer success subscription subscriber some situation single save seen seems see secure second scaling scales saving same since run rules rule rotating rising risen rise ripped selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services thats there ridiculous was what were went well weeks week we waste warrant when wants wanted want waiting wait vs virtue value whats where these worth youll yet yearly year yall ya wouldn would workable while work wont won willing will wife why who vaccine ut using time tracking town tooo too told today tipped times tightening uses tight throughout through this think things thing they tried try trying twice users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right return living nice off now notified nothing nonsense nonesence non no next offered news newest new never needed need must multiple offer offset own opportunity outside our others other original or options option opening often opened ontario only oneday one once on ok much moving moved lost manservices making makes make made luck loyalty lower losing move loose looking longer long lol locations location ll market married may maybe more months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means overpriced owner retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying owning reside retired
Topic 18 | Coherence=-225737.72 | Top words= and my subscription be back will price in different to use have we change increases pay where on upcoming locations fee break anticonsumer ridiculous taking two of ll just many won live money time saving ill both able acceptance addresses anymore can reality lack too bit don own sharing when else payday short using next spending rotating take broke something repurposing im subscriptions servicio constantly por pagos divorce adicional amount week might el membership soon cutting another opening fault layoff mistake focused duplicate household summer after feet games frequent goes go from entertainment fuel especially everything every future garbage give gas get given getting even euro free last gf girl fan for forth forever leave far family fair learning feel fees fact few fiance face finally going extra extortion expensive financial financially first fix fixed expenses later flat food forcing expected issues guys gone idea increase joint income improvements justify keep if husband horrible keeping hungry huge how households keeps house increased join job jacking isnt it isn is its iny intolerable into interested instead inflation increments itself increasses increasing hosehold holder gonna issue laid hand half had hacking hackednot hacked greedy history greed great grandkids gouging gotten got good happy hard hardly has hiking hikes hike higher high her help health he kept having enough havent kidding kids entertaining disgusts end billing biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became barely bill billings cell bills caring cared care card cant cannot cancelling canceling cancel bye by but business buggin budget boyfriend blindly bank awhile away automatically alarming agree againlater again afford addtional additional addition adding added activities acct accounts account access absurd about all allow allowed anyways aunt at as aren are apps aparently any almost annually an amounts amercian am also already caused changed emails discontinue direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cut customers disappointed disgusting changes legacy email elsewhere eliminating edge easily earlier each due drive drastically drain down double dont done doesnt do customer currently current currency coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing company compared competitive continuous creep credit covid courtesy country costs cost continues compromised continue continually continously constant consolidating consider connected left youre less spouse stealing stay states starting started start squeeze spouses spend restrict span sorry son someone some so situation single stepdad stop stopped stopping thanks thank than terrible temporary temporarily taste talk system switching support success subscribers subscriber sub stupid stranger since significant signaling secure scaling scales save same run rules rule rising risen rise ripped right return retiring retired resume resubscribe second see sign seems sight sick shoves shouldn should she share shady several settled set services service series sense selection seen that thats the who whats what were went well weeks way waste was warrant wants wanted want waiting wait vs virtue while why vaccine wife youll you yet years yearly year yall ya wouldn would worth workable work wont without with willing value ut their tracking tooo told today tired tipped times tightening tight throughout through this think things thing they these there town tried uses try users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying restriction restart lesser need non no nice news newest new never needed must respect multiple much moving moved move more months monthly nonesence nonsense not nothing options option opportunity opened ontario only oneday one once ok often offset offered offer off now notified month monetary moment your lost losing loose looking longer long lol location living little limiting limited limit like life letting let lower loyalty mom luck mind merge memberships members member medical means me maybe may married market manservices making makes make made or original other rather rate raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing prices rates re prescription
Topic 19 | Coherence=-220162.26 | Top words= will be the to of price back getting for out are need too hikes end month move got payment hand lack selection everything life else moving already but platform rejoin far later another once get expensive work using awhile at much greedy expenses settled just laid girl ya off moment cancelling accounts combining cutting temporarily join instead temporary continues from unnecessary provider often through way same others charging time less caused garbage gas great grandkids gouging gotten good gonna gone going goes go gf given give youre games future fee fault fan family fair fact face extra extortion expected every even euro especially entertainment entertaining enough feel fees feet focused fuel frequent free forth forever forcing food flat few fixed greed first financially financial finally fiance fix her guys is itself its it issues issue isnt isn iny increased intolerable into interested inflation increments increasses increasing jacking job joint justify letting let lesser legacy left leave learning layoff last kids kidding kept keeps keeping keep increases increase hacked have higher high help health he having havent has income hardly hard happy half had hacking hackednot hike hiking history holder in improvements im ill if idea husband hungry huge how households household house hosehold horrible emails double email benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because became barely bank bill billings elsewhere by care card cant cannot canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit away automatically aunt addition againlater again after afford adicional addtional addresses additional adding as added activities acct account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer annually and an amounts amount amercian am also almost allowed cared caring cell declined discontinue disappointed direction different differences didnt deteriorated delivering decisions customers death deal days day daughter date damn dad disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down limit dont done don doesnt cut customer change choose company coming come combine college climbing climb city choice currently checking cheaper charges charged charge changing changes changed compared competitive compromised connected current currency creep credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider like loyal limited squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger ridiculous system thanks thank than terrible taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub someone some so saving sense seen seems see secure second scaling scales save situation run rules rule rotating rising risen rise ripped series service services servicio single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several set that thats their we when whats what were went well weeks week waste value was warrant wants wanted want waiting wait vs where while who why youll you yet years yearly year yall wouldn would worth workable wont won without with willing wife virtue vaccine there times tried tracking town tooo told today tired tipped tightening ut tight throughout this think things thing they these try trying twice two uses users used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under unable right return limiting news nothing not nonsense nonesence non no nice next newest now new never needed my must multiple moved more notified offer retiring opportunity over outside our other original or options option opening offered opened ontario only oneday one on ok offset months monthly money looking made luck loyalty your lower lost losing loose longer monetary long lol locations location ll living live little make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many overpriced own owner rate recent reason really reality reactivate re rather rates raising profit raises raised raise quickly quality putting put pushed recently recession rectifying redo
Topic 20 | Coherence=-219197.18 | Top words= subscriptions and need in my married two one we got with have don dont moved only husband memberships consolidating is house so for moving other getting significant now fiance are charging time boyfriend some financially cancel hard needed recently share sharing anymore cut household after location signaling stepdad virtue ontario our political multiple merge like households new wife lol happy accounts joint increasing budget everything her changed limiting combining gouging garbage gas grandkids get gonna gotten good gone going gf girl goes go given give youre forth games future fault far fan family fair fact face extra extortion expensive expenses expected every even euro especially entertainment fee feel fees food fuel from frequent free greed forever forcing focused feet flat fixed fix first financial finally few great help greedy it justify just join job jacking itself its issues guys issue isnt isn iny intolerable into interested keep keeping keeps kept letting let lesser less legacy left leave learning layoff later last laid lack kids kidding instead inflation increments hikes higher high enough health he having havent has hardly hand half had hacking hackednot hacked hike hiking increasses history increases increased increase income improvements im ill if idea hungry huge how hosehold horrible holder entertaining drain end begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away but card cant cannot cancelling canceling can bye by business billing buggin broke break both blindly bit bills billings awhile automatically emails addition agree againlater again afford adicional addtional addresses additional adding all added activities acct account access acceptance absurd about alarming allow aunt another at as aren apps aparently anyways any anticonsumer annually allowed an amounts amount amercian am also already almost care cared caring decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts caused each email elsewhere else eliminating el edge easily earlier duplicate divorce due drive drastically down double done doesnt do customers customer currently choice coming come combine college climbing climb city choose checking current cheaper charges charged charge changing changes change cell company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consider connected life loyal limit stay subscriber sub stupid stranger stopping stopped stop stealing states subscription starting started start squeeze spouses spouse spending spend subscribers success limited terrible there their the thats that thanks thank than temporary summer temporarily taste talk taking take system switching support span sorry soon scales sense selection seen seems see secure second scaling saving son save same run rules rule rotating rising risen series service services servicio something someone situation single since sign sight sick shoves shouldn should short she shady several settled set these they thing week where when whats what were went well weeks way value waste was warrant wants wanted want waiting wait while who why will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vs vaccine things to try tried tracking town tooo too told today tired ut tipped times tightening tight throughout through this think trying twice unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise ripped right nonsense offset offered offer off of notified nothing not nonesence move non no nice next news newest never must often ok on once pagos owning owner own overpriced over outside out others original or options option opportunity opening opened oneday much more parents losing makes make made luck loyalty your lower lost loose months looking longer long locations ll living live little making manservices many market monthly month money monetary moment mom mistake mind might membership members member medical means me maybe may parent passed ridiculous rather rectifying recession recent reason really reality reactivate re rates pushed rate raising raises raised raise quickly quality putting redo reduce reducing reflect
Topic 21 | Coherence=-216258.28 | Top words= the is have for this money back months and budget come few in will ill tight try once as return upcoming stop to tightening againlater addtional using customer pay youll wait go new break continues may more now monetary don day happy right until waiting second spending future afford becoming gone reduce garbage games from greedy fuel got gas gouging good gotten gonna going goes given give greed girl frequent gf grandkids getting great get youre free every fact face extra extortion expensive expenses expected everything even family euro especially entertainment entertaining enough end emails email fair fan forth first forever forcing food focused flat fixed fix hacked financially far financial finally fiance feet fees feel fee fault guys higher hackednot itself keeping keep justify just joint join job jacking its hacking it issues issue isnt isn iny intolerable into keeps kept kidding kids limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack interested instead inflation holder hiking hikes hike else high her help health he having havent has hardly hard hand half had history horrible increments hosehold increasses increasing increases increased increase income improvements im if idea husband hungry huge how households household house elsewhere done eliminating being biden biased biannually bf between better benefits benefit begin automatically before been because became be barely bank awhile biggest bill billing billings cant cannot cancelling canceling cancel can bye by but business buggin broke boyfriend both blindly bit bills away aunt care adding alarming agree again after adicional addresses additional addition added at activities acct accounts account access acceptance absurd about all allow allowed almost aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already card cared el deal different differences didnt deteriorated delivering declined decisions death days currency daughter date damn dad cutting cut customers currently direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont little doesnt do divorce disgusts current creep caring charging college climbing climb city choose choice checking cheaper charges credit charged charge changing changes changed change cell caused combine combining coming company covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared limiting loyal live spouse stealing stay states starting started start squeeze spouses spend stopped span sorry soon son something someone some so stepdad stopping thank switching terrible temporary temporarily taste talk taking take system support stranger summer success subscriptions subscription subscribers subscriber sub stupid situation single since same seen seems see secure scaling scales saving save run significant rules rule rotating rising risen rise ripped ridiculous selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services than thanks retired we when whats what were went well weeks week way while waste was warrant wants wanted want vs virtue where who that would you yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife value vaccine ut throughout tooo too told today tired tipped times time through uses think things thing they these there their thats town tracking tried trying users used use us upward upping up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring resume living no off of notified nothing not nonsense nonesence non nice offered next news newest never needed need my must offer offset overpriced option outside out our others other original or options opportunity often opening opened ontario only oneday one on ok multiple much moving lost making makes make made luck loyalty your lower losing moved loose looking longer long lol locations location ll manservices many market married move monthly month moment mom mistake mind might merge memberships membership members member medical means me maybe over own resubscribe raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason owner rent restriction
Topic 22 | Coherence=-224593.26 | Top words= price not is it your the when extra increase for worth charge to good ut re she are sign daughter uses thank college anyways year every willing pay really support seems but nothing in ok options added was of something with great rising can am going last ridiculous living since became absurd this member tired using justify nonesence from wont have raise original pls cost same lower no raised at hand policies residence caring coming future give emails gone goes end go enough given entertaining games getting girl garbage even euro entertainment gas get gf especially everything far expected financially fault fee feel fees feet fan few family fiance gonna finally financial fair fact first fuel fix fixed flat focused food face extortion forcing forever forth expensive free frequent expenses youre hardly got gotten issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases increased income improvements its itself jacking kids left leave learning layoff later laid lack kidding job kept keeps keeping keep just joint join im ill if had having havent has elsewhere hard happy half hacking health hackednot hacked guys greedy greed grandkids gouging he help idea hosehold husband hungry huge how households household house horrible her holder history hiking hikes hike higher high email do else being biden biased biannually bf between better benefits benefit begin away before been becoming because be barely bank back biggest bill billing billings cant cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly bit bills awhile automatically care additional agree againlater again after afford adicional addtional addresses addition aunt adding activities acct accounts account access acceptance about alarming all allow allowed as aren apps aparently anymore any anticonsumer another annually and an amounts amount amercian also already almost card cared eliminating decisions disappointed direction different differences didnt deteriorated delivering declined death customer deal days day date damn dad cutting cut discontinue disgusting disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt less customers currently caused checking come combining combine climbing climb city choose choice cheaper current charging charges charged changing changes changed change cell company compared competitive compromised currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected legacy loyal lesser spouses stepdad stealing stay states starting started start squeeze spouse thanks spending spend span sorry soon son someone some stop stopped stopping stranger terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscription subscribers subscriber sub stupid so situation single seen secure second scaling scales saving save run rules rule rotating risen rise ripped right return retiring retired see selection significant sense signaling sight sick shoves shouldn should short sharing share shady several settled set servicio services service series than that resubscribe warrant were went well weeks week we way waste wants thats wanted want waiting wait vs virtue value vaccine what whats where while youll you yet years yearly yall ya wouldn would workable work won without will wife why who users used use town too told today tipped times time tightening tight throughout through think things thing they these there their tooo tracking us tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try resume restriction let much newest new never needed need my must multiple moving or moved move more months monthly month money monetary news next nice non opportunity opening opened ontario only oneday one once on often offset offered offer off now notified nonsense moment mom mistake loyalty losing loose looking longer long lol locations location ll live little limiting limited limit like life letting lost luck mind made might merge memberships membership members medical means me maybe may married market many manservices making makes make option other restrict pushed rates rate raising raises quickly quality putting put provider others profits profit profiles problem pricing prices president prescription rather reactivate reality
Topic 23 | Coherence=-221531.63 | Top words= your too you am greed why many price access and will increments checking luck now the canceling good is we be where subscription changing keeps benefits nonsense been don this sharing for long when done hike resume thats before bank inflation rising stopping gas recession as food costs company broke married business flat disgusts they spending constant seems quality reflect instead legacy frequent free forth layoff forever forcing learning leave focused left fixed fix first financially financial from fuel future give gone going goes go laid given girl games gf getting get last later garbage finally less lack fiance expensive like expenses expected everything every even euro especially entertainment entertaining limit enough end emails extortion extra face far few feet fees feel fee fault fan life family lesser let letting fair fact gonna kids interested jacking isnt huge how households issue household house issues it hosehold horrible its itself holder history hungry husband idea increase increasses increasing into intolerable increases increased iny isn income in improvements im ill if hiking job kidding hikes half had hacking keep keeping hackednot hacked guys greedy kept great grandkids gouging gotten got hand justify happy health join joint higher high email help he just having havent have has hardly hard her youre elsewhere being biggest biden biased biannually bf between better benefit begin else becoming because became barely back awhile away automatically bill billing billings bills care card cant cannot cancelling cancel can bye by but buggin budget break boyfriend both blindly bit aunt at aren agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about againlater alarming are all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed allow cared caring caused discontinue direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting disappointed disgusting customers divorce eliminating el edge easily earlier each duplicate due drive drastically drain down double dont limiting doesnt do cut customer cell compared come combining combine college climbing climb city choose choice cheaper charging charges charged charge changes changed change coming competitive currently compromised current currency creep credit covid courtesy country cost continuous continues continue continually continously constantly consolidating consider connected limited loyal little spouses stepdad stealing stay states starting started start squeeze spouse stopped spend span sorry soon son something someone some stop stranger that take thank than terrible temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub so situation single same seen see secure second scaling scales saving save run since rules rule rotating risen rise ripped right ridiculous selection sense series service significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services thanks their retiring warrant were went well weeks week way waste was wants whats wanted want waiting wait vs virtue value vaccine what while there would youll yet years yearly year yall ya wouldn worth who workable work wont won without with willing wife ut using uses times tracking town tooo told today to tired tipped time users tightening tight throughout through think things thing these tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired live next of notified nothing not nonesence non no nice news offer newest new never needed need my must multiple off offered outside opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often much moving moved lost market manservices making makes make made loyalty lower losing move loose looking longer lol locations location ll living may maybe me means more months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical out over resubscribe quickly re rather rates rate raising raises raised raise putting reality put pushed provider profits profit profiles problem pricing reactivate really overpriced rent restriction
Topic 24 | Coherence=-225832.83 | Top words= my pay have to but is bill subscription was company about it taste youre greedy its are disgusting different extortion charge me family for not subscriptions just so after that do charged the ill an card compromised because bank wanted credit allowed option automatically told you without too be much when increase times this what started amount hike before should going half rate canceling preemptively next charging notified think today declined enough aparently users anymore left down why outside use great gonna goes fair acct fact face extra expensive gone hackednot every good expenses hacked got guys gotten accounts expected everything gouging greed grandkids go financial given flat forever forcing hacking fees food focused fixed forth fix first feet financially few fiance feel free give garbage girl gf finally get gas fan far frequent fault games future fuel from fee getting hiking had issue joint join job jacking itself absurd issues isnt increments isn acceptance iny intolerable into interested instead justify keep keeping keeps letting let lesser less legacy leave learning layoff later last laid lack kids kidding kept inflation increasses hand health history euro hikes higher high her help he increasing having havent account has hardly hard happy holder horrible hosehold house increases increased income in improvements im if access idea husband hungry huge how households household even adicional especially blindly business buggin budget broke break boyfriend both bit by bills billings billing additional biggest biden biased addition bye addresses caring charges changing changes changed change cell caused cared adding added care cant cannot cancelling cancel can biannually bf checking also anticonsumer another annually and amounts amercian am already anyways almost allow all alarming agree againlater again any apps between became better benefits benefit being begin been becoming barely addtional back awhile away aunt at as aren cheaper choice entertainment disappointed done don doesnt divorce disgusts like discontinue direction double differences didnt deteriorated delivering decisions death deal dont afford day el entertaining end emails email elsewhere else eliminating edge drain easily earlier each duplicate due drive drastically days daughter choose activities constantly constant consolidating consider connected competitive compared coming continually come combining combine college climbing climb city continously continue date current damn dad cutting cut customers customer currently currency continues creep covid courtesy country costs cost continuous life loyal limit something spouses spouse spending spend span sorry soon son someone start some situation single since significant signaling sign sight squeeze starting limited subscriber taking take system switching support summer success subscribers sub states stupid stranger stopping stopped stop stepdad stealing stay sick shoves shouldn rise save same run rules rule rotating rising risen ripped short right ridiculous return retiring retired resume resubscribe restriction saving scales scaling second she sharing share shady several settled set servicio services service series sense selection seen seems see secure talk temporarily temporary waste whats were went well weeks week we way warrant using wants want waiting wait vs virtue value vaccine where while who wife youll yet years yearly year yall ya wouldn would worth workable work wont won with willing will ut uses terrible things tooo tired tipped time tightening tight throughout through thing used they these there their thats thanks thank than town tracking tried try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying restrict restart respect needed nonesence non no nice news newest new never need money must multiple moving moved move more months monthly nonsense nothing now of or options opportunity opening opened ontario only oneday one once on ok often offset offered offer off month monetary other longer luck loyalty your lower lost losing loose looking long moment lol locations location ll living live little limiting made make makes making mom mistake mind might merge memberships membership members member medical means maybe may married market many manservices original others residence put rates raising raises raised raise quickly quality putting pushed prescription provider profits profit profiles problem pricing prices price rather re reactivate reality
Topic 25 | Coherence=-222311.14 | Top words= is the increases to more be with money deal can need continuous problem saving that price are sense decisions making well dont guys change make resubscribe ridiculous doesnt when business time fee it at anticonsumer where you and we reality acceptance locations throughout biggest raises no users now history different cost high loose paying worth creep learning first fix fixed flat financially from food for forcing forever forth financial free frequent focused fuel future later gonna gone going goes go given give girl gf getting get gas garbage games last layoff isn good finally extra extortion expensive expenses life expected like everything every even euro especially entertainment entertaining enough face letting let feel fiance left few feet fees legacy less fact fault far fan family fair lesser leave got iny husband im ill if job idea join joint hungry gotten huge just how households justify keep household improvements in income increase isnt issue intolerable into interested issues instead inflation its increments increasses increasing itself increased jacking house hosehold horrible has lack hard happy hand half had hacking hackednot hacked laid greedy greed great grandkids gouging hardly have holder havent keeping keeps hiking kept hikes kidding hike kids higher emails her help health he having end youre email begin biased biannually bf between better benefits benefit being before automatically been becoming because became barely bank back awhile biden bill billing billings cant cannot cancelling canceling cancel bye by but buggin budget broke break boyfriend both blindly bit bills away aunt care addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts account access absurd about agree alarming all allow aren apps aparently anyways anymore any another annually an amounts amount amercian am also already almost allowed card cared elsewhere death discontinue disappointed direction differences didnt deteriorated delivering declined days currently day daughter date damn dad cutting cut customers disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain down double limited done don customer current caring cheaper combine college climbing climb city choose choice checking charging currency charges charged charge changing changes changed cell caused combining come coming company credit covid courtesy country costs continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limit loyal limiting spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping thank switching terrible temporary temporarily taste talk taking take system support stranger summer success subscriptions subscription subscribers subscriber sub stupid some so situation save selection seen seems see secure second scaling scales same single run rules rule rotating rising risen rise ripped series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set than thanks little wants were went weeks week way waste was warrant wanted whats want waiting wait vs virtue value vaccine ut what while thats would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why using uses used tight tooo too told today tired tipped times tightening through use this think things thing they these there their town tracking tried try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying right return retiring nice off of notified nothing not nonsense nonesence non next offered news newest new never needed my must multiple offer offset retired opportunity out our others other original or options option opening often opened ontario only oneday one once on ok much moving moved lost many manservices makes made luck loyalty your lower losing move looking longer long lol location ll living live market married may maybe months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me outside over overpriced raised reason really reactivate re rather rates rate raising raise pricing quickly quality putting put pushed provider profits profit recent recently recession rectifying
 54%|█████▍    | 26/48 [1:18:36<1:33:07, 253.96s/it]
Topic 26 | Coherence=-231415.75 | Top words= the price worth not no to you for enough currently me up with good your expensive have service nice keeping forcing especially pop shoves choice iny make face lost increase life so do anymore subscriber longer is used more just money increases subscription value use be keep go been cost will going again as customers there us its isnt start changes moved run legacy respect members when canceling don fault policy justify frequent popular agree series really few warrant offered card vs barely amount using we bye drain subscriptions alarming feel history getting it raising way thanks entertaining from far fuel future games garbage gas gf girl give given goes extra get even free forth fee fan gone fees family expenses fair feet fiance finally financial financially first fix fixed flat focused fact food expected everything every euro entertainment forever extortion health gonna increasing intolerable into interested instead inflation increments increasses increased got income in improvements im ill if idea isn issue issues itself leave learning layoff later last laid lack kids kidding kept keeps joint join job jacking husband hungry huge has hard happy hand half had hacking hackednot hacked guys greedy greed great grandkids gouging gotten hardly havent how having households household house hosehold horrible holder hiking hikes hike higher high her help emails he end youre email benefit biggest biden biased biannually bf between better benefits being elsewhere begin before becoming because became bank back awhile bill billing billings bills care cant cannot cancelling cancel can by but business buggin budget broke break boyfriend both blindly bit away automatically aunt all after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater allow at allowed aren are apps aparently anyways any anticonsumer another annually and an amounts amercian am also already almost cared caring caused discontinue direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting disappointed left customer disgusts else eliminating el edge easily earlier each duplicate due drive drastically down double dont done doesnt divorce cut current cell company come combining combine college climbing climb city choose checking cheaper charging charges charged charge changing changed change coming compared currency competitive creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised disgusting loyal less soon started squeeze spouses spouse spending spend span sorry son lesser something someone some situation single since significant signaling starting states stay stealing taste talk taking take system switching support summer success subscribers sub stupid stranger stopping stopped stop stepdad sign sight sick scales save same rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction saving scaling shouldn second should short she sharing share shady several settled set servicio services sense selection seen seems see secure temporarily temporary terrible where what were went well weeks week waste was wants wanted want waiting wait virtue vaccine ut uses whats while upward who youll yet years yearly year yall ya wouldn would workable work wont won without willing wife why users upping than today tipped times time tightening tight throughout through this think things thing they these their thats that thank tired told upcoming too until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried tracking town tooo restrict restart residence nothing nonesence non next news newest new never needed need my must multiple much moving move months monthly nonsense notified monetary now options option opportunity opening opened ontario only oneday one once on ok often offset offer off of month moment original loyalty losing loose looking long lol locations location ll living live little limiting limited limit like letting let lower luck mom made mistake mind might merge memberships membership member medical means maybe may married market many manservices making makes or other reside rates raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing prices president prescription rate rather preemptively
Average topic coherence for the top words is -226494.9242908523
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.38it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.39it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.33it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.36it/s]
 10%|█         | 5/50 [00:00<00:08,  5.34it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.34it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.35it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.37it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.36it/s]
 20%|██        | 10/50 [00:01<00:07,  5.35it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.38it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.38it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.38it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.38it/s]
 30%|███       | 15/50 [00:02<00:06,  5.37it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.35it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.36it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.37it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.37it/s]
 40%|████      | 20/50 [00:03<00:05,  5.38it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.38it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.38it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.36it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.33it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.31it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.30it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.30it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.32it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.34it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.33it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.29it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.30it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.31it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.34it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.35it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.34it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.34it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.34it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.36it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.36it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.36it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.35it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.36it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.36it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.36it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.35it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.37it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.38it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.37it/s]
100%|██████████| 50/50 [00:09<00:00,  5.35it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.64it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.55it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.61it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.61it/s]
 10%|█         | 5/50 [00:00<00:06,  6.60it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.61it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.60it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.62it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.63it/s]
 20%|██        | 10/50 [00:01<00:06,  6.58it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.58it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.59it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.59it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.63it/s]
 30%|███       | 15/50 [00:02<00:05,  6.62it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.60it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.60it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.60it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.61it/s]
 40%|████      | 20/50 [00:03<00:04,  6.63it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.63it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.62it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.61it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.61it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.58it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.60it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.60it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.62it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.61it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.61it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.63it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.61it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.63it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.64it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.62it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.58it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.59it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.59it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.61it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.62it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.63it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.63it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.61it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.57it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.53it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.56it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.59it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.60it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.62it/s]
100%|██████████| 50/50 [00:07<00:00,  6.61it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.56it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.54it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.53it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.53it/s]
 10%|█         | 5/50 [00:01<00:12,  3.53it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.53it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.54it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.52it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.51it/s]
 20%|██        | 10/50 [00:02<00:11,  3.51it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.50it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.52it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.52it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.52it/s]
 30%|███       | 15/50 [00:04<00:09,  3.53it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.52it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.52it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.51it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.53it/s]
 40%|████      | 20/50 [00:05<00:08,  3.53it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.53it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.54it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.53it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.53it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.54it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.54it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.54it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.54it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.53it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.53it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.54it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.53it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.53it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.50it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.51it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.52it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.51it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.52it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.52it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.53it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.52it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.52it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.51it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.52it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.52it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.52it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.53it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.52it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.52it/s]
100%|██████████| 50/50 [00:14<00:00,  3.52it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.67it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.68it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.69it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.69it/s]
 10%|█         | 5/50 [00:01<00:16,  2.70it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.70it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.71it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.70it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.70it/s]
 20%|██        | 10/50 [00:03<00:14,  2.71it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.73it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.71it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.71it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.71it/s]
 30%|███       | 15/50 [00:05<00:12,  2.72it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.71it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.72it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.72it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.72it/s]
 40%|████      | 20/50 [00:07<00:10,  2.73it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.73it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.73it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.73it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.73it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.72it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.73it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.73it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.74it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.74it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.72it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.72it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.73it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.73it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.73it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.73it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.73it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.72it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.73it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.73it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.72it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.72it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.72it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.72it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.70it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.71it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.72it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.72it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.72it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.72it/s]
100%|██████████| 50/50 [00:18<00:00,  2.72it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.79it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.79it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.78it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.79it/s]
 10%|█         | 5/50 [00:02<00:25,  1.78it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.79it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.79it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.79it/s]
 18%|█▊        | 9/50 [00:05<00:22,  1.79it/s]
 20%|██        | 10/50 [00:05<00:22,  1.79it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.79it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.79it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.79it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.79it/s]
 30%|███       | 15/50 [00:08<00:19,  1.78it/s]
 32%|███▏      | 16/50 [00:08<00:19,  1.78it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.79it/s]
 36%|███▌      | 18/50 [00:10<00:17,  1.79it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.79it/s]
 40%|████      | 20/50 [00:11<00:16,  1.79it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.79it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.79it/s]
 46%|████▌     | 23/50 [00:12<00:15,  1.79it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.79it/s]
 50%|█████     | 25/50 [00:13<00:14,  1.78it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.79it/s]
 54%|█████▍    | 27/50 [00:15<00:12,  1.79it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.79it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.80it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.80it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.79it/s]
 64%|██████▍   | 32/50 [00:17<00:10,  1.79it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.78it/s]
 68%|██████▊   | 34/50 [00:19<00:08,  1.78it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.79it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.79it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.79it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.80it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.80it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.79it/s]
 82%|████████▏ | 41/50 [00:22<00:05,  1.79it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.79it/s]
 86%|████████▌ | 43/50 [00:24<00:03,  1.79it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.79it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.79it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.78it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.79it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.79it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.79it/s]
100%|██████████| 50/50 [00:27<00:00,  1.79it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.22it/s]
Topic 0 | Coherence=-228568.68 | Top words= price the not for to of increase is are out way hikes your high raised this be with up lack willing long hand anymore using getting few also options renewing support just something great past while too used that and selection worth will fan living quality made spending got far daughter has becoming absurd really life cost damn amount budget think times gouging benefits ridiculous from original increments profits make became kidding climbing we changes us yet raises sick no nice lost policies give given end expected future games gone expenses garbage gas expensive going goes get go emails every gf girl fuel feel enough everything feet euro gonna even fiance finally financial fair fact financially fee face first fix fixed fault extra flat focused food especially entertainment forcing forever forth entertaining free frequent extortion fees family youre good interested issues issue isnt isn iny intolerable into instead gotten inflation increasses increasing increases increased income in it its itself jacking leave learning layoff later last laid kids kept keeps keeping keep justify joint join job improvements im ill health having havent have hardly hard happy half had hacking hackednot hacked guys greedy greed grandkids email help if her idea husband hungry huge how households household house hosehold horrible holder history hiking hike higher he do elsewhere better billing bill biggest biden biased biannually bf between benefit away being begin before been because barely bank back billings bills bit blindly care card cant cannot cancelling canceling cancel can bye by but business buggin broke break boyfriend both awhile automatically caring addition againlater again after afford adicional addtional addresses additional adding aunt added activities acct accounts account access acceptance about agree alarming all allow at as aren apps aparently anyways any anticonsumer another annually an amounts amercian am already almost allowed cared caused else declined discontinue disappointed direction different differences didnt deteriorated delivering decisions customer death deal days day date dad cutting cut disgusting disgusts divorce legacy eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt customers currently cell choice coming come combining combine college climb city choose checking current cheaper charging charges charged charge changing changed change company compared competitive compromised currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected left loyal less span states starting started start squeeze spouses spouse spend sorry resubscribe soon son someone some so situation single since stay stealing stepdad stop taste talk taking take system switching summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped significant signaling sign secure scaling scales saving save same run rules rule rotating rising risen rise ripped right return retiring retired second see sight seems shoves shouldn should short she sharing share shady several settled set servicio services service series sense seen temporarily temporary terrible whats were went well weeks week waste was warrant wants wanted want waiting wait vs virtue value vaccine what when uses where youll you years yearly year yall ya wouldn would workable work wont won without wife why who ut users than tooo today tired tipped time tightening tight throughout through things thing they these there their thats thanks thank told town use tracking upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried resume restriction lesser must next news newest new never needed need my multiple restrict much moving moved move more months monthly month non nonesence nonsense nothing opportunity opening opened ontario only oneday one once on ok often offset offered offer off now notified money monetary moment luck lower losing loose looking longer lol locations location ll live little limiting limited limit like letting let loyalty makes mom making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices option or other reactivate rather rates rate raising raise quickly putting put pushed provider profit profiles problem pricing prices president prescription re reality preemptively
Topic 1 | Coherence=-221290.96 | Top words= to subscription be my and different in on increases live of use two time make won well making decisions resubscribe doesnt dont with too sense guys business are subscriptions being able both you addresses it used that many at when was more continuous payment enough lol currently sick stranger go short double by emails off ripped get same date gf amount worth switching payday opening deal anymore everything sight months resume focused already think fix forcing last for food forever fixed flat into forth free given give kidding girl getting gas kids garbage lack games laid future fuel first frequent from finally financially financial extra left legacy extortion expensive expenses expected every even euro especially entertainment entertaining less end face leave fact feel goes later fiance few feet fees layoff fair fee fault far fan family learning kept got going households idea its itself husband hungry huge how household gone house hosehold horrible jacking holder history hiking issues if ill im interested instead inflation increments increasses increasing iny is increased increase income isn isnt issue improvements hikes hike job keeping half had hacking hackednot hacked keeps greedy greed great grandkids gouging gotten intolerable good gonna hand happy higher hard join high joint her help health email having just havent have has justify keep hardly he disgusts elsewhere bill biden biased biannually bf between better benefits benefit begin before been becoming because became barely bank back biggest billing away billings card cant cannot cancelling canceling cancel can bye but buggin budget broke break boyfriend blindly bit bills awhile automatically else agree again after afford adicional addtional additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming aunt all as aren apps aparently anyways any anticonsumer another annually an amounts amercian am also almost allowed allow care cared caring disappointed differences didnt deteriorated delivering declined death days day daughter damn dad cutting cut customers customer current currency direction discontinue caused disgusting eliminating el edge easily earlier each duplicate due drive drastically drain down done don do divorce let creep credit covid courtesy college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell combine combining come constantly country costs cost continues continue continually continously constant coming consolidating consider connected compromised competitive compared company lesser youre letting spend states starting started start squeeze spouses spouse spending span since sorry soon son something someone some so situation stay stealing stepdad stop terrible temporary temporarily taste talk taking take system support summer success subscribers subscriber sub stupid stopping stopped single significant respect rising scaling scales saving save run rules rule rotating risen signaling rise right ridiculous return retiring retired restriction restrict second secure see seems sign shoves shouldn should she sharing share shady several settled set servicio services service series selection seen than thank thanks warrant what were went weeks week we way waste wants thats wanted want waiting wait vs virtue value vaccine whats where while who youll yet years yearly year yall ya wouldn would workable work wont without willing will wife why ut using uses town told today tired tipped times tightening tight throughout through this things thing they these there their the tooo tracking users tried us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try restart residence life new nonsense nonesence non no nice next news newest never month needed need must multiple much moving moved move not nothing notified now other original or options option opportunity opened ontario only oneday one once ok often offset offered offer monthly money reside long loyalty your lower lost losing loose looking longer locations monetary location ll living little limiting limited limit like luck made makes manservices moment mom mistake mind might merge memberships membership members member medical means me maybe may married market others our out put rate raising raises raised raise quickly quality putting pushed outside provider profits profit profiles problem pricing prices price rates rather re
Topic 2 | Coherence=-226670.27 | Top words= my subscription has with already an sharing kids or putting extra price choose activities into that expensive between the other have and made are you will one me this to hikes future profiles support he charge parents expected issues increase longer if husband im bf sorry oneday earlier same phone since someone up daughter is residence went hike keeps hacked like using at what where spouse hacking fee stopping change acct away seen joint offered blindly sense last am different increasing come get every gas everything expenses getting gf especially girl even euro entertainment give entertaining given go goes enough going end gone extortion few garbage food fiance finally feet financial financially gonna fees feel fix fixed fault flat focused for games forcing forever far forth free fan family frequent from fair fact fuel face first hardly good join jacking itself its it issue isnt isn iny intolerable interested instead inflation increments increasses increases job just income justify let lesser less legacy left leave learning layoff later laid lack kidding kept keeping keep increased in got health havent email hard happy hand half had hackednot guys greedy greed great grandkids gouging gotten having help improvements her ill idea hungry huge how households household house hosehold horrible holder history hiking higher high emails youre elsewhere benefit billing bill biggest biden biased biannually better benefits being else begin before been becoming because became be barely billings bills bit both care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend bank back awhile alarming againlater again after afford adicional addtional addresses additional addition adding added accounts account access acceptance absurd about agree all automatically allow aunt as aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian also almost allowed cared caring caused disgusting disappointed direction differences didnt deteriorated delivering declined decisions death deal days day date damn dad cutting cut discontinue disgusts customer letting eliminating el edge easily each duplicate due drive drastically drain down double dont done don doesnt do customers currently cell competitive company coming combining combine college climbing climb city choice checking cheaper charging charges charged changing changes changed compared compromised current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider divorce loyal life spouses stepdad stealing stay states starting started start squeeze spending significant spend span soon son something some so situation stop stopped stranger stupid thank than terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscribers subscriber sub single signaling thats rising scaling scales saving save run rules rule rotating risen sign rise ripped right ridiculous return retiring retired resume second secure see seems sight sick shoves shouldn should short she share shady several settled set servicio services service series selection thanks their limit was whats were well weeks week we way waste warrant ut wants wanted want waiting wait vs virtue value when while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife vaccine uses there time town tooo too told today tired tipped times tightening users tight throughout through think things thing they these tracking tried try trying used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resubscribe restriction restrict needed non no nice next news newest new never need month must multiple much moving moved move more months nonesence nonsense not nothing options option opportunity opening opened ontario only once on ok often offset offer off of now notified monthly money restart long luck loyalty your lower lost losing loose looking lol monetary locations location ll living live little limiting limited make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many original others our quality rather rates rate raising raises raised raise quickly put out pushed provider profits profit problem pricing prices president re reactivate reality
Topic 3 | Coherence=-231630.63 | Top words= you my charge and family about for bill are youre taste disgusting extortion its news company greedy when but to have pay different extra that me subscriptions want going share money re subscription don idea increase outside like power kids college limit ut more states paying in bye city unfair intolerable another live fair how the not even of allow sharing hosehold biased politically cant longer hacked again uses why opportunity addtional gone gonna adicional goes good got gotten go addresses gouging grandkids addition has hardly hard happy hand half additional had hacking hackednot guys give greed great given any girl fees first financially financial finally fiance few feet feel fixed fee fault far fan fact face againlater fix flat gf from getting get gas havent games future fuel frequent focused free forth forever forcing afford after food garbage hikes having job keeping keep justify just joint join access jacking he itself account it issues issue isnt isn keeps kept kidding acceptance absurd life letting let lesser less legacy left leave learning layoff later last laid lack is iny into husband huge households household house horrible holder history hiking expensive hike higher high her help health hungry adding accounts if interested instead inflation increments increasses increasing increases increased acct activities income improvements im ill added agree especially expenses coming caused caring cared amount care card cannot cancelling canceling amounts cancel can by an business buggin budget cell change changed checking combining combine already climbing climb choose choice cheaper changes charging charges charged also am amercian changing broke break boyfriend automatically became be barely bank back awhile away aunt becoming at as aren anticonsumer apps aparently anyways because been both biden blindly bit bills billings billing annually biggest biannually before bf between better benefits benefit being begin come almost expected compared drive drastically drain down limited dont done alarming doesnt do divorce disgusts all discontinue disappointed direction differences due duplicate each end everything every euro anymore entertainment entertaining enough emails earlier email elsewhere else eliminating el edge easily didnt deteriorated delivering continually courtesy country costs cost continuous continues continue continously credit constantly constant consolidating consider connected compromised competitive covid creep declined damn decisions death deal days day daughter date dad currency cutting cut customers customer allowed currently current double loyal limiting spouses stop stepdad stealing stay starting started start squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger ridiculous taking thats thanks thank than terrible temporary temporarily talk take stupid system switching support summer success subscribers subscriber sub some so situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series service since significant signaling sign sight sick shoves shouldn should short she shady several settled set servicio services their there these we where whats what were went well weeks week way value waste was warrant wants wanted waiting wait vs while who wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine they times tracking town tooo too told today tired tipped time using tightening tight throughout through this think things thing tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two right return little nice off now notified nothing nonsense nonesence non no next offered newest new never needed need must multiple much offer offset retiring option over out our others other original or options opening often opened ontario only oneday one once on ok moving moved move lost making makes make made luck loyalty your lower losing months loose looking long lol locations location ll living manservices many market married monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may overpriced own owner rate recently recent reason really reality reactivate rather rates raising profits raises raised raise quickly quality putting put pushed recession rectifying redo reduce
Topic 4 | Coherence=-230731.46 | Top words= you the greed for many now will too increments your access we where good sharing is why canceling be am luck checking that pay people to from subscription new just more they loose guys want fee stop something because charging me of subscriptions company caring break disgusts charges take declined raising yearly cheaper euro prefer town stupid profiles expensive wait replace pricing lost willing grandkids end great getting get gf give girl emails gouging given gotten got go email goes going gone gonna garbage gas forcing games especially feel fault far fan family fair fact face feet extra extortion even every expenses everything expected fees few future food fuel frequent free enough forth forever entertaining focused entertainment flat fixed fix financially financial finally fiance first youre greedy join jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increasses increasing increases job joint increase justify lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping keep increased income hacked higher her help health he having havent else have has hardly hard happy hand half had hacking hackednot high hike in hikes improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history hiking elsewhere do eliminating been bf between better benefits benefit being begin before becoming as became barely bank back awhile away automatically aunt biannually biased biden biggest cancel can bye by but business buggin budget broke boyfriend both blindly bit bills billings billing bill at aren cannot addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts account acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost allowed cancelling cant el days different differences didnt deteriorated delivering decisions death deal day current daughter date damn dad cutting cut customers customer direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt letting divorce currently currency card charged combining combine college climbing climb city choose choice charge creep changing changes changed change cell caused cared care come coming compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised let loyal life sorry started start squeeze spouses spouse spending spend span soon sign son someone some so situation single since significant starting states stay stealing temporary temporarily taste talk taking system switching support summer success subscribers subscriber sub stranger stopping stopped stepdad signaling sight than rotating scaling scales saving save same run rules rule rising sick risen rise ripped right ridiculous return retiring retired second secure see seems shoves shouldn should short she share shady several settled set servicio services service series sense selection seen terrible thank like warrant were went well weeks week way waste was wants users wanted waiting vs virtue value vaccine ut using what whats when while youll yet years year yall ya wouldn would worth workable work wont won without with wife who uses used thanks throughout told today tired tipped times time tightening tight through use this think things thing these there their thats tooo tracking tried try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resume resubscribe restriction newest not nonsense nonesence non no nice next news never months needed need my must multiple much moving moved nothing notified off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered move monthly restrict lol make made loyalty lower losing looking longer long locations month location ll living live little limiting limited limit makes making manservices market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married other others our quality re rather rates rate raises raised raise quickly putting out put pushed provider profits profit problem prices price reactivate reality really
Topic 5 | Coherence=-232035.66 | Top words= it you not when can re in keep enough the ut my time use college up greedy being this at prices only as if begin means cared afford were wouldn hiking ll understand leave worth that us what anyways sign just uses about high she daughter to thank with many moved by no of last months extra see now job every cannot have lost continues support multiple opportunity won declined charging get cheaper card currency euro stopped right longer billings interested users any start never justify again opened climb gonna good gone give given gas games girl gf going go goes getting garbage youre future face feel fee fault far fan family fair fact extortion fuel expensive expenses expected everything even especially entertainment entertaining fees feet few fiance from frequent free forth forever forcing for food focused flat gotten fixed fix first financially financial finally got her gouging inflation isn is iny intolerable into instead increments issue increasses increasing increases increased increase income isnt issues im kidding learning layoff later laid lack kids kept its keeps keeping joint join jacking itself improvements ill grandkids half havent has hardly hard happy hand had he hacking hackednot hacked guys greed great having health idea house husband hungry huge how households household hosehold help horrible holder history hikes hike higher end discontinue emails bill biden biased biannually bf between better benefits benefit before been becoming because became be barely bank back biggest billing away bills caring care cant cancelling canceling cancel bye but business buggin budget broke break boyfriend both blindly bit awhile automatically email all agree againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd alarming allow aunt allowed aren are apps aparently anymore anticonsumer another annually and an amounts amount amercian am also already almost caused cell change do disgusts disgusting legacy disappointed direction different differences didnt deteriorated delivering decisions death deal days day date damn divorce doesnt changed don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done dad cutting cut customers competitive compared company coming come combining combine climbing city choose choice checking charges charged charge changing changes compromised connected consider country customer currently current creep credit covid courtesy costs consolidating cost continuous continue continually continously constantly constant left loyal less something spouses spouse spending spend span sorry soon son someone talk some so situation single since significant signaling sight squeeze started starting states take system switching summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stop stepdad stealing stay sick shoves shouldn saving same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction restrict save scales should scaling short sharing share shady several settled set servicio services service series sense selection seen seems secure second taking taste lesser wants well weeks week we way waste was warrant wanted temporarily want waiting wait vs virtue value vaccine using went whats where while youll yet years yearly year yall ya would workable work wont without willing will wife why who used upward upping tired times tightening tight throughout through think things thing they these there their thats thanks than terrible temporary tipped today upcoming told until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking town tooo too restart respect residence need nonesence non nice next news newest new needed must reside much moving move more monthly month money monetary nonsense nothing notified off others other original or options option opening ontario oneday one once on ok often offset offered offer moment mom mistake your losing loose looking long lol locations location living live little limiting limited limit like life letting let lower loyalty mind luck might merge memberships membership members member medical me maybe may married market manservices making makes make made our out outside rates raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price president rate rather prefer
Topic 6 | Coherence=-231299.08 | Top words= price to subscription too and many charging the extra an newest hike for in share prices hikes using keep moving is out my people has are hacked everything already else new of time much life work household at bf getting summer outside second play coming limiting use raise hard moment ontario climb he fix single only fair location temporary high now was willing will rising country reason hungry greed forever re rise learning goes forth free forcing go frequent going gas given from garbage give fuel girl future gf games get leave finally left fact less extortion expensive expenses expected lesser every even euro especially entertainment entertaining enough end emails face family food fan focused flat fixed first financially financial fiance legacy few feet fees feel fee fault far gone issues gonna increased income join improvements im ill joint just if idea justify husband huge keeping keeps how increase increases good increasing its issue isnt isn itself iny intolerable into interested jacking instead job inflation increments increasses households house hosehold kept hand half had hacking hackednot last later layoff it greedy great grandkids gouging gotten got happy hardly laid lack horrible holder history hiking kidding kids higher email her help health having havent have guys youre elsewhere eliminating biggest biden biased biannually between better benefits benefit being begin before been becoming because became be barely bank back bill billing billings but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile away automatically adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aunt another as aren apps aparently anyways anymore any anticonsumer annually all amounts amount amercian am also almost allowed allow card care cared death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting customer drastically el edge easily earlier each duplicate due drive drain disgusts down let dont done don doesnt do divorce customers currently caring cheaper combining combine college climbing city choose choice checking charges company charged charge changing changes changed change cell caused come compared current continues currency creep credit covid courtesy costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised double loyal letting started stopping stopped stop stepdad stealing stay states starting start something squeeze spouses spouse spending spend span sorry soon stranger stupid sub subscriber thats that thanks thank than terrible temporarily taste talk taking take system switching support success subscriptions subscribers son someone ridiculous scales series sense selection seen seems see secure scaling saving some save same run rules rule rotating risen ripped service services servicio set so situation since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled their there these we when whats what were went well weeks week way they waste warrant wants wanted want waiting wait vs where while who why youll you yet years yearly year yall ya wouldn would worth workable wont won without with wife virtue value vaccine trying tried tracking town tooo told today tired tipped times tightening tight throughout through this think things thing try twice ut two uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable right return like news nothing not nonsense nonesence non no nice next never month needed need must multiple moved move more months notified off offer offered our others other original or options option opportunity opening opened oneday one once on ok often offset monthly money retiring longer luck loyalty your lower lost losing loose looking long monetary lol locations ll living live little limited limit made make makes making mom mistake mind might merge memberships membership members member medical means me maybe may married market manservices over overpriced own raising recently recent really reality reactivate rather rates rate raises owner raised quickly quality putting put pushed provider profits recession rectifying redo
Topic 7 | Coherence=-234133.52 | Top words= subscription the now using for people im reason cheaper other kept out and gonna better my so was if youre charging only services charge extra on are it your raising back with as this wife divorce increases will be another you married going own through left courtesy new spending upcoming entertainment don rise costs youll platform customer got fuel having getting cut addtional her news possible family climb opened awhile currently trying next want mistake money payday duplicate thank husband combining stop moving accounts spend has disappointed sub cutting ill policies instead spouses pleased budget reside passed by owner there tight apps more extortion garbage gas fault far fan get fair fact face focused last expenses expected everything gf every girl give given even expensive fee later free flat fixed food fix forcing forever first financially forth frequent feel from financial finally future fiance few feet games fees issue keeps go hikes in improvements join joint idea hungry huge how households household house hosehold horrible holder history income increase increased into isn is issues iny intolerable its interested job itself inflation increments increasses increasing jacking hiking hike goes higher guys keeping isnt greedy kidding greed great grandkids gouging gotten good kids lack gone laid hacked keep justify have high just help health he havent hardly hackednot euro happy hand half had hacking hard doesnt especially billing biggest biden biased biannually bf between benefits benefit being begin before been becoming because became barely bank bill billings cared bills card cant cannot cancelling canceling cancel can bye but business buggin broke break boyfriend both blindly bit away automatically aunt at againlater again after afford adicional addresses additional addition adding added activities acct account access acceptance absurd about agree alarming all an aren aparently anyways anymore any anticonsumer annually amounts allow amount amercian am also already almost allowed care caring entertaining done do disgusts disgusting discontinue direction different differences didnt deteriorated delivering declined decisions death deal days day daughter learning dont caused double enough end emails email elsewhere else eliminating el edge easily earlier each due drive drastically drain down date damn dad customers company coming come combine college climbing city choose choice checking charges charged changing changes changed change cell compared competitive compromised continuous current currency creep credit covid country cost continues connected continue continually continously constantly constant consolidating consider layoff loyal leave stepdad stay states starting started start squeeze spouse span sorry soon son something someone some situation single since stealing stopped signaling stopping terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber stupid stranger significant sign thanks see second scaling scales saving save same run rules rule rotating rising risen ripped right ridiculous return retiring secure seems sight seen sick shoves shouldn should short she sharing share shady several settled set servicio service series sense selection than that legacy when what were went well weeks week we way waste warrant wants wanted waiting wait vs virtue value whats where ut while yet years yearly year yall ya wouldn would worth workable work wont won without willing why who vaccine uses thats tracking tooo too told today to tired tipped times time tightening throughout think things thing they these their town tried users try used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retired resume resubscribe no newest never needed need must multiple much moved move months monthly month monetary moment mom mind might nice non memberships nonesence opportunity opening ontario oneday one once ok often offset offered offer off of notified nothing not nonsense merge membership restriction looking long lol locations location ll living live little limiting limited limit like life letting let lesser less longer loose members losing member medical means me maybe may market many manservices making makes make made luck loyalty lower lost option options or reality re rather rates rate raises raised raise quickly quality putting put pushed provider profits profit profiles problem reactivate really
Topic 8 | Coherence=-217699.18 | Top words= one other dont need subscription subscriptions price have in more only so the two with services benefit climb no house added continues has anymore direction goes tipped continually scales finally significant an selection moved stepdad households amercian my poland but household aparently wife than combine needed political new our signaling like virtue adding live remarried really multiple merge fuel acceptance lost use manservices girl everything expected expenses every expensive gf getting even give given go first euro especially get gone gonna entertainment entertaining good got gotten gouging grandkids great enough going gas extortion fee financially fixed flat focused food for financial greed fiance forever few feet fees feel fault extra forth free far frequent from fan family future fair fact face games garbage fix forcing he greedy increments joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead just justify keep layoff let lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps inflation increasses guys increasing higher high her help health emails having havent hardly hard happy hand half had hacking hackednot hacked hike hikes hiking if increases increased increase income improvements im ill idea history husband hungry huge how hosehold horrible holder end youre email being biggest biden biased biannually bf between better benefits begin billing before been becoming because became be barely bank bill billings cared by card cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit back awhile away addresses alarming agree againlater again after afford adicional addtional additional automatically addition activities acct accounts account access absurd about all allow allowed almost aunt at as aren are apps anyways any anticonsumer another annually and amounts amount am also already care caring elsewhere death disappointed different differences didnt deteriorated delivering declined decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts caused due else eliminating el edge easily earlier each duplicate drive divorce drastically drain down letting done don doesnt do customers customer currently cheaper come combining college climbing city choose choice checking charging current charges charged charge changing changes changed change cell coming company compared competitive currency creep credit covid courtesy country costs cost continuous continue continously constantly constant consolidating consider connected compromised double loyal life starting stupid stranger stopping stopped stop stealing stay states started son start squeeze spouses spouse spending spend span sorry sub subscriber subscribers success there their thats that thanks thank terrible temporary temporarily taste talk taking take system switching support summer soon something they save sense seen seems see secure second scaling saving same someone run rules rule rotating rising risen rise ripped series service servicio set some situation single since sign sight sick shoves shouldn should short she sharing share shady several settled these thing limit week where when whats what were went well weeks we vs way waste was warrant wants wanted want waiting while who why will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing wait value things to try tried tracking town tooo too told today tired vaccine times time tightening tight throughout through this think trying twice unable under ut using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand right ridiculous return non off of now notified nothing not nonsense nonesence nice monthly next news newest never must much moving move offer offered offset often overpriced over outside out others original or options option opportunity opening opened ontario oneday once on ok months month retiring longer made luck loyalty your lower losing loose looking long money lol locations location ll living little limiting limited make makes making many monetary moment mom mistake mind might memberships membership members member medical means me maybe may married market own owner owning raising recent reason reality reactivate re rather rates rate raises pagos raised raise quickly quality putting put pushed provider recently recession rectifying
Topic 9 | Coherence=-223148.81 | Top words= your to increase year the when not me good rate you it service price customers and customer for even will cancel do care garbage every nothing about is seems college ut but ok really added months currently increasses offset rates each changing resume first workable done let pay system later month thats bank increases didnt raise raised continue stop new policy caused extortion join given give from fuel gouging go gotten going future goes get games girl gf getting gone gas gonna got youre frequent free fault far fan family fair fact face extra expensive expenses expected everything euro especially entertainment fee feel fees fixed forth forever forcing food focused flat fix feet financially great financial finally fiance few grandkids have greed justify joint job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasing just keep income keeping like life letting lesser less legacy left leave learning layoff last laid lack kids kidding kept keeps increased in greedy high help health he having havent enough has hardly hard happy hand half had hacking hackednot hacked guys her higher improvements hike im ill if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes entertaining drain end been bf between better benefits benefit being begin before becoming biased because became be barely back awhile away automatically biannually biden emails broke cancelling canceling can bye by business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt at as additional agree againlater again after afford adicional addtional addresses addition aren adding activities acct accounts account access acceptance absurd alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cannot cant card decisions discontinue disappointed direction different differences deteriorated delivering declined death current deal days day daughter date damn dad cutting disgusting disgusts divorce doesnt email elsewhere else eliminating el edge easily earlier duplicate due drive drastically limited down double dont don cut currency cared cheaper combining combine climbing climb city choose choice checking charging creep charges charged charge changes changed change cell caring come coming company compared credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive limit loyal limiting start stopping stopped stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub there talk that thanks thank than terrible temporary temporarily taste taking subscriber take switching support summer success subscriptions subscription subscribers something someone some scales series sense selection seen see secure second scaling saving so save same run rules rule rotating rising risen services servicio set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several their these little was were went well weeks week we way waste warrant whats wants wanted want waiting wait vs virtue value what where they worth youll yet years yearly yall ya wouldn would work while wont won without with willing wife why who vaccine using uses times tracking town tooo too told today tired tipped time users tightening tight throughout through this think things thing tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two rise ripped right news now notified nonsense nonesence non no nice next newest off never needed need my must multiple much moving of offer ridiculous opportunity out our others other original or options option opening offered opened ontario only oneday one once on often moved move more loose makes make made luck loyalty lower lost losing looking monthly longer long lol locations location ll living live making manservices many market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married outside over overpriced raising recession recently recent reason reality reactivate re rather raises problem quickly quality putting put pushed provider profits profit rectifying redo reduce reducing
Topic 10 | Coherence=-227014.17 | Top words= your you the prices price and keep of raising like that terrible addition offer increasing pricing pay dont raised greedy shady tried once just cancel sharing almost hike is also used charges fact was member since has to gone months in span selection deteriorated drastically on services up stop for upping better every fault financial year twice constantly others ridiculous days fees by continously jacking restriction huge monthly being lesser unemployed amounts please annually increase times issues tired bills guys situation changed became eliminating really aren extortion taking manservices allow when throughout especially give go expensive games given garbage expenses entertaining expected girl getting gf everything gas get even euro entertainment fiance frequent future focused finally few feet feel fee far financially first fix fixed flat food extra fan family forcing fair forever forth free goes face from fuel youre have going inflation isnt isn iny intolerable into interested instead increments it increasses increases increased income improvements im ill issue its gonna kids leave learning layoff later last laid lack kidding itself kept keeps keeping justify joint join job if idea husband hackednot hardly hard happy hand half had hacking hacked hungry greed great grandkids gouging gotten got good end havent having he how households household house hosehold horrible holder history hiking hikes higher high her help health enough disgusts emails billings bill biggest biden biased biannually bf between benefits benefit begin before been becoming because be barely bank billing bit awhile blindly cared care card cant cannot cancelling canceling can bye but business buggin budget broke break boyfriend both back away email agree again after afford adicional addtional addresses additional adding added activities acct accounts account access acceptance absurd about againlater alarming automatically all aunt at as are apps aparently anyways anymore any anticonsumer another an amount amercian am already allowed caring caused cell disgusting disappointed direction different differences didnt delivering declined decisions death deal day daughter date damn dad cutting cut discontinue legacy change divorce elsewhere else el edge easily earlier each duplicate due drive drain down double done don doesnt do customers customer currently current coming come combining combine college climbing climb city choose choice checking cheaper charging charged charge changing changes company compared competitive cost currency creep credit covid courtesy country costs continuous compromised continues continue continually constant consolidating consider connected left loyal less spending stay states starting started start squeeze spouses spouse spend restart sorry soon son something someone some so single stealing stepdad stopped stopping temporary temporarily taste talk take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger significant signaling sign scaling saving save same run rules rule rotating rising risen rise ripped right return retiring retired resume resubscribe scales second sight secure sick shoves shouldn should short she share several settled set servicio service series sense seen seems see than thank thanks who where whats what were went well weeks week we way waste warrant wants wanted want waiting wait while why virtue wife youll yet years yearly yall ya wouldn would worth workable work wont won without with willing will vs value thats tracking tooo too told today tipped time tightening tight through this think things thing they these there their town try vaccine trying ut using uses users use us upward upcoming until unneeded unnecessary unfortunately unfair understand under unable two restrict respect let must next news newest new never needed need my multiple residence much moving moved move more month money monetary nice no non nonesence opportunity opening opened ontario only oneday one ok often offset offered off now notified nothing not nonsense moment mom mistake lower losing loose looking longer long lol locations location ll living live little limiting limited limit life letting lost loyalty mind luck might merge memberships membership members medical means me maybe may married market many making makes make made option options or rather rate raises raise quickly quality putting put pushed provider profits profit profiles problem president prescription prefer preemptively rates re possible
Topic 11 | Coherence=-218851.00 | Top words= price your and prices or company subscription entertaining much far other biannually after increases options are you consider ill seems has increasing like year too many it am is why checking luck increase canceling greed access down shouldn competitive drive market business with issues pick manservices from good between users over taking personal por el pagos adicional servicio nonesence wont raising support iny owner flat broke often expected fuel different stop should pop told leave way hungry free first fix fixed joint join focused food job for jacking forcing forever forth frequent given itself its future issue isnt games garbage gas get getting gf isn girl kids financially less lesser financial especially euro even every everything keeps keeping expenses expensive extortion extra face kidding keep fact justify fair family fan let fault fee feel fees feet few fiance finally just give go last im hard hardly later have havent having he improvements laid health help her high higher hike goes hikes if hiking history holder idea horrible hosehold house household households how huge husband in happy hand half going gone intolerable gonna into interested got legacy gotten gouging instead grandkids inflation great increments increasses lack greedy guys increased hacked hackednot left hacking kept learning layoff had income entertainment youre enough begin biggest biden biased bf better benefits benefit being before billing been becoming because became be barely bank back bill billings end bye cared care card cant cannot cancelling cancel can by bills but buggin budget break boyfriend both blindly bit awhile away automatically addition alarming agree againlater again afford addtional addresses additional adding aunt added activities acct accounts account acceptance absurd about all allow allowed almost at as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already caring caused cell declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusts divorce do doesnt emails email elsewhere else eliminating edge easily earlier each duplicate due drastically drain letting dont done don cutting customers change choose coming come combining combine college climbing climb city choice customer cheaper charging charges charged charge changing changes changed compared compromised connected consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant double loyal life start stopping stopped stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stranger stupid sub subscriber thats that thanks thank than terrible temporary temporarily taste talk take system switching summer success subscriptions subscribers something some their save selection seen see secure second scaling scales saving same so run rules rule rotating rising risen rise ripped sense series service services situation single since significant signaling sign sight sick shoves short she sharing share shady several settled set the there limit was what were went well weeks week we waste warrant ut wants wanted want waiting wait vs virtue value whats when where while youll yet years yearly yall ya wouldn would worth workable work won without willing will wife who vaccine using these time tracking town tooo today to tired tipped times tightening uses tight throughout through this think things thing they tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right ridiculous return new not nonsense non no nice next news newest never months needed need my must multiple moving moved move nothing notified now of others original option opportunity opening opened ontario only oneday one once on ok offset offered offer off more monthly retiring long made loyalty lower lost losing loose looking longer lol month locations location ll living live little limiting limited make makes making married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may our out outside rates recently recent reason really reality reactivate re rather rate overpriced raises raised raise quickly quality putting put pushed recession rectifying redo
Topic 12 | Coherence=-223879.93 | Top words= you and my me charge to your extra she is for re in no thank uses sign daughter going anyways bye worth good that will different mom cancel want passed away membership since places restrict two the live increase account raising what kidding profits had if got im owner wants parent boyfriend cant owning aunt can person has pay constant justify customer last drive are into getting future garbage grandkids give given gouging gotten gas go get girl gf gonna gone goes games youre fuel from far fan family fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining fault fee feel fixed frequent free forth forever forcing food focused fix fees first financially financial finally fiance few feet flat health great greed join job jacking itself its it issues issue isnt isn iny intolerable interested instead inflation increments increasses joint just keep leave life letting let lesser less legacy left learning keeping layoff later laid lack kids kept keeps increasing increases increased hard help end he having havent have hardly happy high hand half hacking hackednot hacked guys greedy her higher income households improvements ill idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes enough down emails begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill email business cared care card cannot cancelling canceling by but buggin billing budget broke break both blindly bit bills billings awhile automatically at addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts access acceptance absurd about agree alarming all allow aren apps aparently anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed caring caused cell declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions customers death deal days day date damn dad cutting disgusts divorce do doesnt elsewhere else eliminating el edge easily earlier each duplicate due drastically drain limit double dont done don cut currently change choose coming come combining combine college climbing climb city choice current checking cheaper charging charges charged changing changes changed company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid right take thanks than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber something someone some saving selection seen seems see secure second scaling scales save so same run rules rule rotating rising risen rise sense series service services situation single significant signaling sight sick shoves shouldn should short sharing share shady several settled set servicio thats their there way when whats were went well weeks week we waste ut was warrant wanted waiting wait vs virtue value where while who why youll yet years yearly year yall ya wouldn would workable work wont won without with willing wife vaccine using these time town tooo too told today tired tipped times tightening users tight throughout through this think things thing they tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice ripped ridiculous limiting news notified nothing not nonsense nonesence non nice next newest of new never needed need must multiple much moving now off return ontario other original or options option opportunity opening opened only offer oneday one once on ok often offset offered moved move more loose makes make made luck loyalty lower lost losing looking months longer long lol locations location ll living little making manservices many market monthly month money monetary moment mistake mind might merge memberships members member medical means maybe may married others our out rate recently recent reason really reality reactivate rather rates raises profiles raised raise quickly quality putting put pushed provider recession rectifying redo reduce
Topic 13 | Coherence=-230200.68 | Top words= for too expensive it is me prices now worth not keep going much service my have currently life iny especially more so nice up shoves pop keeping forcing face lost choice make subscriber with getting unfortunately upward just no you many the your through anymore new way provider charge greedy get to rule phone stupid less given right maybe later free its subscriptions itself ya enough connected everything longer am girl vs offered amount whats hackednot easily customer back secure overpriced another cell options afford fault better isn bills rising future gonna give garbage gone goes games go gas from gf fuel finally frequent fee entertaining entertainment euro even every expected expenses extortion extra fact fair family fan far feel forth fees feet few fiance got financial financially first fix fixed flat focused food forever good health gotten issue intolerable into interested instead inflation increments increasses increasing increases increased increase income in improvements im isnt issues if jacking left leave learning layoff last laid lack kids kidding kept keeps justify joint join job ill idea gouging emails having havent has hardly hard happy hand half had hacking hacked guys greed great grandkids he help husband her hungry huge how households household house hosehold horrible holder history hiking hikes hike higher high end youre email begin biden biased biannually bf between benefits benefit being before bill been becoming because became be barely bank awhile biggest billing care but cant cannot cancelling canceling cancel can bye by business billings buggin budget broke break boyfriend both blindly bit away automatically aunt adding againlater again after adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow as aren are apps aparently anyways any anticonsumer annually and an amounts amercian also already almost allowed card cared elsewhere decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts caring drive else eliminating el edge earlier each duplicate due drastically divorce drain down double dont done don legacy do cut customers current checking come combining combine college climbing climb city choose cheaper currency charging charges charged changing changes changed change caused coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider compromised doesnt loyal lesser spouses stepdad stealing stay states starting started start squeeze spouse resume spending spend span sorry soon son something someone stop stopped stopping stranger thank than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers sub some situation single selection seems see second scaling scales saving save same run rules rotating risen rise ripped ridiculous return retiring seen sense since series significant signaling sign sight sick shouldn should short she sharing share shady several settled set servicio services thanks that thats where what were went well weeks week we waste was warrant wants wanted want waiting wait virtue value when while ut who youll yet years yearly year yall wouldn would workable work wont won without willing will wife why vaccine using their tracking tooo told today tired tipped times time tightening tight throughout this think things thing they these there town tried uses try users used use us upping upcoming until unneeded unnecessary unfair unemployed understand under unable two twice trying retired resubscribe let newest of notified nothing nonsense nonesence non next news never restriction needed need must multiple moving moved move months off offer offset often out our others other original or option opportunity opening opened ontario only oneday one once on ok monthly month money luck lower losing loose looking long lol locations location ll living live little limiting limited limit like letting loyalty made monetary makes moment mom mistake mind might merge memberships membership members member medical means may married market manservices making outside over own reason reality reactivate re rather rates rate raising raises raised raise quickly quality putting put pushed profits profit really recent problem
Topic 14 | Coherence=-229355.01 | Top words= is we and only rates will in with subscriber time increasing at there long prices are customer it my loyalty feel alarming no keep like the going who moved for to your do higher than thing same moving others subscriptions but saving need continuous someone boyfriend one rejoin start so fiance us can consolidating once again son settled rising already family later get problem card cancelling users temporarily stop dad has household have on anticonsumer terrible future good gf gonna games gone garbage gas girl getting goes give go given fixed fuel everything fair fact face extra extortion expensive expenses expected every from even euro especially entertainment entertaining enough end emails fan far fault fee frequent free forth forever forcing food focused flat gotten fix first financially financial finally few feet fees got youre gouging into its issues issue isnt isn iny intolerable interested jacking instead inflation increments increasses increases increased increase itself job improvements lack legacy left leave learning layoff last laid kids join kidding kept keeps keeping justify just joint income im grandkids half having havent elsewhere hardly hard happy hand had health hacking hackednot hacked guys greedy greed great he help ill house if idea husband hungry huge how households hosehold her horrible holder history hiking hikes hike high email disgusts else begin biased biannually bf between better benefits benefit being before caring been becoming because became be barely bank back biden biggest bill billing care cant cannot canceling cancel bye by business buggin budget broke break both blindly bit bills billings awhile away automatically agree after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater all aunt allow as aren apps aparently anyways anymore any another annually an amounts amount amercian am also almost allowed cared caused eliminating death direction different differences didnt deteriorated delivering declined decisions deal cell days day daughter date damn cutting cut customers disappointed discontinue disgusting lesser el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt divorce currently current currency come combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change combining coming creep company credit covid courtesy country costs cost continues continue continually continously constantly constant consider connected compromised competitive compared less loyal let spending stealing stay states starting started squeeze spouses spouse spend signaling span sorry soon something some situation single since stepdad stopped stopping stranger that thanks thank temporary taste talk taking take system switching support summer success subscription subscribers sub stupid significant sign letting risen second scaling scales save run rules rule rotating rise sight ripped right ridiculous return retiring retired resume resubscribe secure see seems seen sick shoves shouldn should short she sharing share shady several set servicio services service series sense selection thats their these way when whats what were went well weeks week waste they was warrant wants wanted want waiting wait vs where while why wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing virtue value vaccine trying tried tracking town tooo too told today tired tipped times tightening tight throughout through this think things try twice ut two using uses used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable restriction restrict restart needed nonesence non nice next news newest new never must our multiple much move more months monthly month money nonsense not nothing notified original or options option opportunity opening opened ontario oneday ok often offset offered offer off of now monetary moment mom made lower lost losing loose looking longer lol locations location ll living live little limiting limited limit life luck make mistake makes mind might merge memberships membership members member medical means me maybe may married market many manservices making other out respect put rate raising raises raised raise quickly quality putting pushed outside provider profits profit profiles pricing price president prescription rather re reactivate
Topic 15 | Coherence=-223363.23 | Top words= price and it anymore increase don subscription afford now cant to you how this your bye their tracking sharing talk people keeps use limited recent access inflation right for increasing but they of enough hardly thanks caused no by president want biden customers change pay fault using happy choice spending month customer forcing costs focused budget out keeping face agree rising food recession shoves gas warrant isn is aren upping am every especially pop subscriber dont nice parents allow became worth climbing fees adding own changing give given expected everything go finally few even euro goes girl going financially gone gonna good got gotten gouging expenses getting expensive games fixed forever forth free feet fiance frequent from fuel future feel fee garbage extortion far fan fix get family financial fair fact first extra grandkids gf flat youre great iny job jacking itself its issues issue isnt intolerable joint into interested instead increments increasses increases increased join just greed layoff let lesser less legacy left leave learning later justify last laid lack kids kidding kept keep income in improvements hard entertainment health he having havent have has hand im half had hacking hackednot hacked guys greedy her high higher hike ill if idea husband hungry huge households household house hosehold horrible holder history hiking hikes help doesnt entertaining billing biggest biased biannually bf between better benefits benefit being begin before been becoming because be barely bank bill billings changed bills caring cared care card cannot cancelling canceling cancel can business buggin broke break boyfriend both blindly bit back awhile away automatically alarming againlater again after adicional addtional addresses additional addition added activities acct accounts account acceptance absurd about all allowed almost any aunt at as are apps aparently anyways anticonsumer already another annually an amounts amount amercian also cell changes end do disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter divorce life charge done emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double date damn dad cutting compromised competitive compared company coming come combining combine college climb city choose checking cheaper charging charges charged connected consider consolidating courtesy cut currently current currency creep credit covid country constant cost continuous continues continue continually continously constantly letting loyal like spouse stealing stay states starting started start squeeze spouses spend single span sorry soon son something someone some so stepdad stop stopped stopping than terrible temporary temporarily taste taking take system switching support summer success subscriptions subscribers sub stupid stranger situation since that run see secure second scaling scales saving save same rules significant rule rotating risen rise ripped ridiculous return retiring seems seen selection sense signaling sign sight sick shouldn should short she share shady several settled set servicio services service series thank thats limit week where when whats what were went well weeks we value way waste was wants wanted waiting wait vs while who why wife youll yet years yearly year yall ya wouldn would workable work wont won without with willing will virtue vaccine the time town tooo too told today tired tipped times tightening ut tight throughout through think things thing these there tried try trying twice uses users used us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retired resume resubscribe need nonesence non next news newest new never needed my money must multiple much moving moved move more months nonsense not nothing notified options option opportunity opening opened ontario only oneday one once on ok often offset offered offer off monthly monetary restriction longer made luck loyalty lower lost losing loose looking long moment lol locations location ll living live little limiting make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many or original other quickly re rather rates rate raising raises raised raise quality others putting put pushed provider profits profit profiles problem reactivate reality really
Topic 16 | Coherence=-220107.86 | Top words= to be and back the of my money break will just taking want time different country need we moved location currency current constantly changed business are waste take ll spend saving bit another elsewhere learning would rather better don ridiculous repurposing summer monetary might activities raising health moving provider throughout raises increments fuel history get come more problem again join layoff owner quality tired expensive accounts shouldn using girl grandkids expenses future games gouging expected garbage gas everything getting gf especially gonna gotten every give got given even go euro goes good going gone entertainment feet extortion flat few fiance finally great financial feel fee financially first fix fault far fixed focused fees food for forcing fan forever forth family fair free fact frequent face from extra youre greed jacking its it issues issue isnt isn is iny intolerable into interested instead inflation increasses increasing increases increased itself job greedy joint let lesser less legacy left leave later last laid lack kids kidding kept keeps keeping keep justify increase income in improvements help enough he having havent have has hardly hard happy hand half had hacking hackednot hacked guys her high higher how im ill if idea husband hungry huge households hike household house hosehold horrible holder hiking hikes entertaining dont end being biggest biden biased biannually bf between benefits benefit begin caring before been becoming because became barely bank awhile bill billing billings bills care card cant cannot cancelling canceling cancel can bye by but buggin budget broke boyfriend both blindly away automatically aunt all agree againlater after afford adicional addtional addresses additional addition adding added acct account access acceptance absurd about alarming allow at allowed as aren apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost cared caused emails declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions cell death deal days day daughter date damn dad disgusts divorce do doesnt email else eliminating el edge easily earlier each duplicate due drive drastically drain down double life done cutting cut customers company combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes change coming compared customer competitive currently creep credit covid courtesy costs cost continuous continues continue continually continously constant consolidating consider connected compromised letting loyal like squeeze stop stepdad stealing stay states starting started start spouses so spouse spending span sorry soon son something someone stopped stopping stranger stupid thanks thank than terrible temporary temporarily taste talk system switching support success subscriptions subscription subscribers subscriber sub some situation thats save selection seen seems see secure second scaling scales same single run rules rule rotating rising risen rise ripped sense series service services since significant signaling sign sight sick shoves should short she sharing share shady several settled set servicio that their return week where when whats what were went well weeks way vaccine was warrant wants wanted waiting wait vs virtue while who why wife youll you yet years yearly year yall ya wouldn worth workable work wont won without with willing value ut there times tried tracking town tooo too told today tipped tightening uses tight through this think things thing they these try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable right retiring limit nice now notified nothing not nonsense nonesence non no next months news newest new never needed must multiple much off offer offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often move monthly out looking made luck loyalty your lower lost losing loose longer month long lol locations living live little limiting limited make makes making manservices moment mom mistake mind merge memberships membership members member medical means me maybe may married market many our outside retired raise reason really reality reactivate re rates rate raised quickly president putting put pushed profits profit profiles pricing prices recent recently recession rectifying
Topic 17 | Coherence=-224107.59 | Top words= be back will and this is to money of for ill months in when try the come few budget it have can month tight even got continue prices amount times up squeeze off yet move end once laid return payment was go started going out about more else you people tightening againlater with ll company games subscribers playing tired rotating something subscriptions wait broke week your may feet had right continues time get set soon expensive declined piracy must rise upcoming fuel lack entertainment future from kids especially frequent euro free leave entertaining family enough forever garbage gas emails getting gf girl give email elsewhere given kidding kept forth last forcing expenses far learning fair layoff fault fact face extra fee feel extortion fees fiance fan finally financial financially first expected fix fixed flat focused food everything every later instead goes isnt issues hungry huge how households household its itself house hosehold jacking horrible holder history hiking issue husband hike isn increments increasses increasing increases increased increase income interested improvements into im intolerable if idea iny hikes higher keeps half hackednot hacked guys greedy greed great grandkids gouging keep gotten inflation keeping good gonna gone hacking justify job hand high her join help health he having havent eliminating joint just has hardly hard happy youre disappointed el begin biased biannually bf between better benefits benefit being before aunt been becoming because became barely bank awhile away biden biggest bill billing cant cannot cancelling canceling cancel bye by but business buggin break boyfriend both blindly bit bills billings automatically at edge addition agree again after afford adicional addtional addresses additional adding as added activities acct accounts account access acceptance absurd alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amercian am also already almost card care cared days different differences didnt deteriorated delivering decisions death deal day caring daughter date damn dad cutting cut customers customer direction legacy discontinue disgusting easily earlier each duplicate due drive drastically drain down double dont done don doesnt do divorce disgusts currently current currency combine climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused college combining creep coming credit covid courtesy country costs cost continuous continually continously constantly constant consolidating consider connected compromised competitive compared left loyal less son starting start spouses spouse spending spend span sorry someone residence some so situation single since significant signaling sign states stay stealing stepdad taste talk taking take system switching support summer success subscription subscriber sub stupid stranger stopping stopped stop sight sick shoves scaling saving save same run rules rule rising risen ripped ridiculous retiring retired resume resubscribe restriction restrict restart scales second shouldn secure should short she sharing share shady several settled servicio services service series sense selection seen seems see temporarily temporary terrible where what were went well weeks we way waste warrant wants wanted want waiting vs virtue value vaccine whats while using who youll years yearly year yall ya wouldn would worth workable work wont won without willing wife why ut uses than town too told today tipped throughout through think things thing they these there their thats that thanks thank tooo tracking users tried used use us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying respect reside lesser need no nice next news newest new never needed my repurposing multiple much moving moved monthly monetary moment mom non nonesence nonsense not option opportunity opening opened ontario only oneday one on ok often offset offered offer now notified nothing mistake mind might lost loose looking longer long lol locations location living live little limiting limited limit like life letting let losing lower merge loyalty memberships membership members member medical means me maybe married market many manservices making makes make made luck options or original rates raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing price president rate rather prefer
Topic 18 | Coherence=-216375.90 | Top words= pay my to have is was subscription it that not but so just charged bill because do compromised ill after card allowed credit wanted bank option automatically without an told increase think willing too am much can be what half should afford high today notified hacked way last fault waiting day until pick another competitive additional currency of will didnt gonna expensive gone going extortion given goes give good extra go financial got expenses expected entertaining guys greedy greed great entertainment grandkids especially euro gouging even every everything gotten face girl get gf food forth few forever hackednot forcing for fiance feet focused flat fixed fix first finally free frequent fact garbage getting fair financially family gas fan far from fee feel games future fees fuel youre hiking hacking had keeps keeping keep justify joint join job jacking itself its issues issue isnt isn iny intolerable into kept kidding kids lesser limiting limited limit like life letting let less lack legacy left leave learning layoff later laid interested instead inflation health history end hikes hike higher her help he horrible having havent has hardly hard happy hand holder hosehold increments im increasses increasing increases increased income in improvements if house idea husband hungry huge how households household enough doesnt emails bills billing biggest biden biased biannually bf between better benefits benefit being begin before been becoming became barely billings bit awhile blindly caring cared care cant cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both back away email all agree againlater again adicional addtional addresses addition adding added activities acct accounts account access acceptance absurd about alarming allow aunt almost at as aren are apps aparently anyways anymore any anticonsumer annually and amounts amount amercian also already caused cell change divorce disgusting discontinue disappointed direction different differences deteriorated delivering declined decisions death deal days daughter date damn dad disgusts live changed don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done cutting cut customers customer coming come combining combine college climbing climb city choose choice checking cheaper charging charges charge changing changes company compared connected cost currently current creep covid courtesy country costs continuous consider continues continue continually continously constantly constant consolidating little loyal living spend states starting started start squeeze spouses spouse spending span stealing sorry soon son something someone some situation single stay stepdad significant summer temporarily taste talk taking take system switching support success stop subscriptions subscribers subscriber sub stupid stranger stopping stopped since signaling ll rule second scaling scales saving save same run rules rotating see rising risen rise ripped right ridiculous return retiring secure seems sign shady sight sick shoves shouldn short she sharing share several seen settled set servicio services service series sense selection temporary terrible than warrant whats were went well weeks week we waste wants where want wait vs virtue value vaccine ut using when while thank wouldn youll you yet years yearly year yall ya would who worth workable work wont won with wife why uses users used this tired tipped times time tightening tight throughout through things use thing they these there their the thats thanks tooo town tracking tried us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try retired resume resubscribe news now nothing nonsense nonesence non no nice next newest offer new never needed need must multiple moving moved off offered over opening out our others other original or options opportunity opened offset ontario only oneday one once on ok often move more months lower manservices making makes make made luck loyalty your lost monthly losing loose looking longer long lol locations location many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe outside overpriced restriction raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason own renewing restrict
Topic 19 | Coherence=-236000.50 | Top words= and too price raising just not after many greedy prices profit starting additional for last increase profiles year keep new charge my raised anymore the to share don is charges married fees subscriptions have expensive added rules got two worth need us letting money memberships gotten getting husband but on thanks customer consolidating customers since loyal recently get currently being feet nonsense paying want or more ll benefit so pleased joint some hard stopping cant adding everything gf girl expected finally every give given extortion even euro go goes going gone especially gonna good entertainment expenses extra gas garbage financially fiance first fix few flat focused food feel fee fault far forcing fan forever family fair fact forth face free frequent from fuel financial future games fixed havent gouging grandkids its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases increased itself jacking job later lesser less legacy left leave learning layoff laid join lack kids kidding kept keeps keeping justify income in improvements hand health he having enough has hardly happy half her had hacking hackednot hacked guys greed great help high im household ill if idea hungry huge how households house higher hosehold horrible holder history hiking hikes hike entertaining double end begin biggest biden biased biannually bf between better benefits before billing been becoming because became be barely bank back bill billings emails by care card cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit awhile away automatically addresses all alarming agree againlater again afford adicional addtional addition aunt activities acct accounts account access acceptance absurd about allow allowed almost already at as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also cared caring caused delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cutting decisions death deal days day daughter date damn disgusts divorce do doesnt email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down dont done dad cut cell choose coming come combining combine college climbing climb city choice current checking cheaper charging charged changing changes changed change company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consider connected let youre life started stupid stranger stopped stop stepdad stealing stay states start something squeeze spouses spouse spending spend span sorry soon sub subscriber subscribers subscription their thats that thank than terrible temporary temporarily taste talk taking take system switching support summer success son someone these saving selection seen seems see secure second scaling scales save situation same run rule rotating rising risen rise ripped sense series service services single significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio there they like week where when whats what were went well weeks we virtue way waste was warrant wants wanted waiting wait while who why wife youll you yet years yearly yall ya wouldn would workable work wont won without with willing will vs value thing tipped try tried tracking town tooo told today tired times vaccine time tightening tight throughout through this think things trying twice unable under ut using uses users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand right ridiculous return news now notified nothing nonesence non no nice next newest monthly never needed must multiple much moving moved move of off offer offered our others other original options option opportunity opening opened ontario only oneday one once ok often offset months month retiring long loyalty your lower lost losing loose looking longer lol monetary locations location living live little limiting limited limit luck made make makes moment mom mistake mind might merge membership members member medical means me maybe may market manservices making out outside over rate recent reason really reality reactivate re rather rates raises overpriced raise quickly quality putting put pushed provider profits recession rectifying redo
Topic 20 | Coherence=-231115.10 | Top words= price and the increases is have in ridiculous change me pay where we more will use upcoming money keep locations different fee anticonsumer subscription sharing need to be constant deal saving greedy my can problem years has paying because are from months been reality service on acceptance why over havent stealing yall lack quality less edge pushed garbage done should creep as blindly your charges addtional tired some stop stopping reflect youll financial future buggin covid broke having issues lol history preemptively no before anymore phone last flat for food focused keeps forever fixed fix kept first financially forcing hungry forth keeping finally frequent justify fuel just joint join games job jacking itself gas get free few fiance kidding especially euro even every everything expected expenses legacy left expensive extortion leave extra face learning fact fair family fan layoff later far fault laid kids feel fees feet its getting girl gf hardly inflation increments increasses increasing increased he health help her high higher hike increase hikes hiking income holder improvements horrible hosehold house im household households how ill if huge idea instead hard it interested husband give given issue go goes going gone gonna good isnt got gotten gouging grandkids great greed isn guys hacked iny hackednot hacking intolerable had half into hand happy entertainment youre entertaining better billing bill biggest biden biased biannually bf between benefits enough benefit being begin becoming became barely bank back billings bills bit both caused caring cared care card cant cannot cancelling canceling cancel bye by but business budget break boyfriend awhile away automatically alarming againlater again after afford adicional addresses additional addition adding added activities acct accounts account access absurd about agree all aunt allow at aren apps aparently anyways any another annually an amounts amount amercian am also already almost allowed cell changed changes doesnt divorce disgusts disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions death days day daughter date do lesser dad dont end emails email elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down double damn cutting changing compromised compared company coming come combining combine college climbing climb city choose choice checking cheaper charging charged charge competitive connected cut consider customers customer currently current currency credit courtesy country costs cost continuous continues continue continually continously constantly consolidating don loyal let spouses stopped stepdad stay states starting started start squeeze spouse thats spending spend span sorry soon son something someone stranger stupid sub subscriber thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers so situation single seen see secure second scaling scales save same run rules rule rotating rising risen rise ripped right return seems selection since sense significant signaling sign sight sick shoves shouldn short she share shady several settled set servicio services series that their retired warrant were went well weeks week way waste was wants there wanted want waiting wait vs virtue value vaccine what whats when while you yet yearly year ya wouldn would worth workable work wont won without with willing wife who ut using uses tracking tooo too told today tipped times time tightening tight throughout through this think things thing they these town tried users try used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retiring resume letting never nonsense nonesence non nice next news newest new needed original must multiple much moving moved move monthly month not nothing notified now options option opportunity opening opened ontario only oneday one once ok often offset offered offer off of monetary moment mom luck lower lost losing loose looking longer long location ll living live little limiting limited limit like life loyalty made mistake make mind might merge memberships membership members member medical means maybe may married market many manservices making makes or other resubscribe raise reactivate re rather rates rate raising raises raised quickly others putting put provider profits profit profiles pricing prices really reason recent
Topic 21 | Coherence=-217860.06 | Top words= price the no with to worth enough prices money continues service for longer good increases increase cost value raising is do better agree been benefit its or are isnt used anymore rise any run members differences me improvements end legacy respect go sight changes deal because added without frequent vs offered what justify policy continuous biggest replace horrible cheaper piracy profiles happy these terrible waste reduce anticonsumer rules free from youre fuel future games garbage gas get getting gf girl give given goes going gone gonna forth fiance forever fan fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining family far forcing fault food focused flat fixed fix first financially financial finally gotten few feet fees feel fee got having gouging just join job jacking itself it issues issue isn iny intolerable into interested instead inflation increments increasses increasing joint keep grandkids keeping life letting let lesser less left leave learning layoff later last laid lack kids kidding kept keeps increased income in im health he havent have has hardly hard hand half had hacking hackednot hacked guys greedy greed great help her high households ill if idea husband hungry huge how household higher house hosehold holder history hiking hikes hike emails dont email being billing bill biden biased biannually bf between benefits begin cared before becoming became be barely bank back awhile billings bills bit blindly card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both away automatically aunt alarming again after afford adicional addtional addresses additional addition adding activities acct accounts account access acceptance absurd about againlater all at allow as aren apps aparently anyways another annually and an amounts amount amercian am also already almost allowed care caring elsewhere decisions discontinue disappointed direction different didnt deteriorated delivering declined death caused days day daughter date damn dad cutting cut disgusting disgusts divorce doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double limit done don customers customer currently coming combining combine college climbing climb city choose choice checking charging charges charged charge changing changed change cell come company current compared currency creep credit covid courtesy country costs continue continually continously constantly constant consolidating consider connected compromised competitive like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid return take thanks thank than temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber something someone some scales sense selection seen seems see secure second scaling saving so save same rule rotating rising risen ripped right series services servicio set situation single since significant signaling sign sick shoves shouldn should short she sharing share shady several settled that thats their way when whats were went well weeks week we was using warrant wants wanted want waiting wait virtue vaccine where while who why youll you yet years yearly year yall ya wouldn would workable work wont won willing will wife ut uses there time town tooo too told today tired tipped times tightening users tight throughout through this think things thing they tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous retiring limiting new not nonsense nonesence non nice next news newest never notified needed need my must multiple much moving moved nothing now retired only other original options option opportunity opening opened ontario oneday of one once on ok often offset offer off move more months loose make made luck loyalty your lower lost losing looking monthly long lol locations location ll living live little makes making manservices many month monetary moment mom mistake mind might merge memberships membership member medical means maybe may married market others our out raise reality reactivate re rather rates rate raises raised quickly president quality putting put pushed provider profits profit problem really reason recent recently
Topic 22 | Coherence=-226430.34 | Top words= and with extra that the family of using paying about subscription bill like don states increase outside limit power share when money idea want for sharing pay no won have charges fees not dad more acceptance reality added unable even reflect change support an apps in can taking prices goes go extortion given give girl gf getting get gas going got gone great hackednot hacked guys emails greedy greed grandkids gonna gouging end enough gotten games good garbage from entertaining first financial finally fiance few expected feet feel expenses fee fault far fan fair fact face financially everything future every fuel entertainment expensive frequent free forth forever especially forcing euro food focused flat fixed fix youre having hacking keeps keep justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable keeping kept interested kidding limiting limited life letting let lesser less legacy left leave learning layoff later last laid lack kids into instead had holder hiking hikes hike higher high her help health he elsewhere havent has hardly hard happy hand half history horrible inflation hosehold increments increasses increasing increases increased income improvements im ill if husband hungry huge how households household house email double else being biden biased biannually bf between better benefits benefit begin billing before been becoming because became be barely bank biggest billings awhile but card cant cannot cancelling canceling cancel bye by business bills buggin budget broke break boyfriend both blindly bit back away eliminating addresses alarming agree againlater again after afford adicional addtional additional allow addition adding activities acct accounts account access absurd all allowed automatically any aunt at as aren are aparently anyways anymore anticonsumer almost another annually amounts amount amercian am also already care cared caring deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn cutting cut customers customer direction discontinue caused drastically el edge easily earlier each duplicate due drive drain disgusting down live dont done doesnt do divorce disgusts currently current currency choice come combining combine college climbing climb city choose checking creep cheaper charging charged charge changing changes changed cell coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised little loyal living squeeze stopped stop stepdad stealing stay starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some taste their thats thanks thank than terrible temporary temporarily talk sub take system switching summer success subscriptions subscribers subscriber someone so ll save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation shouldn single since significant signaling sign sight sick shoves should service short she shady several settled set servicio services there these they way whats what were went well weeks week we waste while was warrant wants wanted waiting wait vs virtue where who thing wouldn youll you yet years yearly year yall ya would why worth workable work wont without willing will wife value vaccine ut tipped tracking town tooo too told today to tired times uses time tightening tight throughout through this think things tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two right ridiculous return news now notified nothing nonsense nonesence non nice next newest offer new never needed need my must multiple much off offered over opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moving moved move lower manservices making makes make made luck loyalty your lost months losing loose looking longer long lol locations location many market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe out overpriced retiring raises reason really reactivate re rather rates rate raising raised recently raise quickly quality putting put pushed provider profits recent recession own reside retired
Topic 23 | Coherence=-218856.08 | Top words= you not it price the are again only will me fact that email bye if this consider rectifying reactivate give issue good makes forever never come to increasing want new back months value while point continually delivering little raising worth your under paying system stupid restart second pls lower higher raised workable short market but entertainment euro gas getting especially garbage even games every get girl gf fuel great grandkids gouging gotten got emails gonna end gone going enough goes entertaining go given future everything from first far fee feel fan fees feet few fiance family finally fair face greed financially fix frequent fixed flat focused food extra extortion expensive for forcing expenses forth free expected fault financial youre greedy isn joint join job jacking itself its issues isnt is guys iny intolerable into interested instead inflation increments increasses just justify keep keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increases increased increase high help health he else having havent have has hardly hard happy hand half had hacking hackednot hacked her hike income hikes in improvements im ill idea husband hungry huge how households household house hosehold horrible holder history hiking elsewhere down eliminating el biannually bf between better benefits benefit being begin before been becoming because became be barely bank awhile away automatically biased biden biggest budget cannot cancelling canceling cancel can by business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cant card care days different differences didnt deteriorated declined decisions death deal day disappointed daughter date damn dad cutting cut customers customer direction discontinue current drain edge easily earlier each duplicate due drive drastically like disgusting double dont done don doesnt do divorce disgusts currently currency cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining creep continue credit covid courtesy country costs cost continuous continues continously coming constantly constant consolidating connected compromised competitive compared company life loyal limit squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger sub thank than terrible temporary temporarily taste talk taking take switching support summer success subscriptions subscription subscribers subscriber someone so thats saving sense selection seen seems see secure scaling scales save situation same run rules rule rotating rising risen rise series service services servicio single since significant signaling sign sight sick shoves shouldn should she sharing share shady several settled set thanks their right waste what were went well weeks week we way was using warrant wants wanted waiting wait vs virtue vaccine whats when where who youll yet years yearly year yall ya wouldn would work wont won without with willing wife why ut uses there time town tooo too told today tired tipped times tightening users tight throughout through think things thing they these tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two twice ripped ridiculous limited nice of now notified nothing nonsense nonesence non no next moved news newest needed need my must multiple much off offer offered offset our others other original or options option opportunity opening opened ontario oneday one once on ok often moving move outside looking making make made luck loyalty lost losing loose longer more long lol locations location ll living live limiting manservices many married may monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe out over return raises recent reason really reality re rather rates rate raise problem quickly quality putting put pushed provider profits profit recently recession redo reduce
Topic 24 | Coherence=-220591.10 | Top words= to need this of expenses just change for cut month paying before other due billing again losing the my start job care at country don date things take almost service first customer unable help time hike all reducing increased rent per and what some cancel canceling hard laid have horrible off financially end no next rate several discontinue payment subscriptions preemptively weeks am more retiring costs new move looking apps death holder unneeded creep account passed must away stopping stupid person piracy money way goes gone gonna gas get going girl getting gf given give go youre garbage fair fees feel fee fault far fan family fact games face extra extortion expensive expected everything every feet few fiance finally future fuel from frequent free got forth forever forcing food focused flat fixed fix financial good he gotten intolerable it issues issue isnt isn is iny into itself interested instead inflation increments increasses increasing increases its jacking income lack legacy left leave learning layoff later last kids join kidding kept keeps keeping keep justify joint increase in gouging had having havent has hardly happy hand half hacking health hackednot hacked guys greedy greed great grandkids euro her improvements how im ill if idea husband hungry huge households high household house hosehold history hiking hikes higher even double especially benefits bill biggest biden biased biannually bf between better benefit entertainment being begin been becoming because became be barely billings bills bit blindly caring cared card cant cannot cancelling can bye by but business buggin budget broke break boyfriend both bank back awhile alarming againlater after afford adicional addtional addresses additional addition adding added activities acct accounts access acceptance absurd about agree allow automatically allowed aunt as aren are aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already caused cell changed done do divorce disgusts disgusting disappointed direction different differences didnt deteriorated delivering declined decisions deal days day daughter doesnt dont dad lesser entertaining enough emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down damn cutting changes compared coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing company competitive customers compromised currently current currency credit covid courtesy cost continuous continues continue continually continously constantly constant consolidating consider connected less loyal let squeeze stopped stop stepdad stealing stay states starting started spouses there spouse spending spend span sorry soon son something stranger sub subscriber subscribers thats that thanks thank than terrible temporary temporarily taste talk taking system switching support summer success subscription someone so situation sense seen seems see secure second scaling scales saving save same run rules rule rotating rising risen rise selection series single services since significant signaling sign sight sick shoves shouldn should short she sharing share shady settled set servicio their these right week who while where when whats were went well we they waste was warrant wants wanted want waiting wait why wife will willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with vs virtue value twice try tried tracking town tooo too told today tired tipped times tightening tight throughout through think thing trying two vaccine under ut using uses users used use us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand ripped ridiculous letting never nothing not nonsense nonesence non nice news newest needed out multiple much moving moved months monthly monetary moment notified now offer offered others original or options option opportunity opening opened ontario only oneday one once on ok often offset mom mistake mind loyalty lower lost loose longer long lol locations location ll living live little limiting limited limit like life your luck might made merge memberships membership members member medical means me maybe may married market many manservices making makes make our outside return raises reason really reality reactivate re rather rates raising raised over raise quickly quality putting put pushed provider profits recent recently recession
Topic 25 | Coherence=-226489.68 | Top words= prices raising keep you to that are better services other have youre gonna kept stop money high back cut cheaper with if reason charge im damn these due it in good really lost customer put was too price elsewhere into success some fees gas so canceling series trying limiting popular access yall adding mind take job charging bills customers vaccine having want raised medical rules your prescription going options entertainment losing made costs cant now nothing increased future games garbage far fan get extortion gone go getting family fault girl fair goes give fact especially given gf free fuel fixed feet expensive few fiance finally financial got financially first fix expenses expected everything feel from flat every face fee focused food for forcing forever forth even euro frequent extra has gotten iny itself its issues issue isnt isn is intolerable join interested instead inflation increments increasses increasing increases jacking joint income later lesser less legacy left leave learning layoff last just laid lack kids kidding keeps keeping justify increase improvements gouging had havent enough hardly hard happy hand half hacking health hackednot hacked guys greedy greed great grandkids he help ill house idea husband hungry huge how households household hosehold her horrible holder history hiking hikes hike higher entertaining dont end been biannually bf between benefits benefit being begin before becoming biden because became be barely bank awhile away automatically biased biggest emails buggin cannot cancelling cancel can bye by but business budget bill broke break boyfriend both blindly bit billings billing aunt at as additional agree againlater again after afford adicional addtional addresses addition aren added activities acct accounts account acceptance absurd about alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost card care cared delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined currently decisions death deal days day daughter date dad disgusts divorce do doesnt email else eliminating el edge easily earlier each duplicate drive drastically drain down double letting done don cutting current caring choice come combining combine college climbing climb city choose checking currency charges charged changing changes changed change cell caused coming company compared competitive creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised let loyal life start stopping stopped stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stranger stupid sub subscriber thats thanks thank than terrible temporary temporarily taste talk taking system switching support summer subscriptions subscription subscribers something situation return save seen seems see secure second scaling scales saving same single run rule rotating rising risen rise ripped right selection sense service servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set the their there we when whats what were went well weeks week way they waste warrant wants wanted waiting wait vs virtue where while who why youll yet years yearly year ya wouldn would worth workable work wont won without willing will wife value ut using try tracking town tooo told today tired tipped times time tightening tight throughout through this think things thing tried twice uses two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring like newest not nonsense nonesence non no nice next news new move never needed need my must multiple much moving notified of off offer others original or option opportunity opening opened ontario only oneday one once on ok often offset offered moved more retired long makes make luck loyalty lower loose looking longer lol months locations location ll living live little limited limit making manservices many market monthly month monetary moment mom mistake might merge memberships membership members member means me maybe may married our out outside raise recent reality reactivate re rather rates rate raises quickly over quality putting pushed provider profits profit profiles problem recently recession rectifying
Topic 26 | Coherence=-235884.75 | Top words= to you and much it money as not keeps price up need do dont save going too services use am the so been cost expensive trying long good want just nonsense benefits changing other this why don with needed down guys on forth has fixed income go using put service possible like rising compared was others switching never before quality increased months went cant bills membership reduce barely drain way some retired non risen right now quickly users often we temporarily spending cut scaling redo prefer fee warrant tooo platforms made garbage happy customers agree gf family expenses free frequent from fair fact face girl fuel future games extortion fan get getting enough extra gas expected everything every financially financial finally especially first euro fix even entertainment fiance flat forcing few entertaining focused feet fees food feel for fault far forever youre give given into interested instead inflation increments increasses increasing increases increase in improvements im ill if idea husband hungry intolerable iny is joint lack kids kidding kept keeping keep justify join isn job jacking itself its issues issue isnt huge how households greed hand half had hacking hackednot hacked greedy great hard grandkids gouging gotten got gonna gone goes emails hardly household hike house hosehold horrible holder history hiking hikes higher have high her help health he having havent end disappointed email begin biden biased biannually bf between better benefit being becoming elsewhere because became be bank back awhile away automatically biggest bill billing billings cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit aunt at aren againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again alarming are all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed allow card care cared direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting customer currently different last currency discontinue else eliminating el edge easily earlier each duplicate due drive drastically double done doesnt divorce disgusts disgusting current creep caring combining college climbing climb city choose choice checking cheaper charging charges charged charge changes changed change cell caused combine come credit coming covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive company laid loyal later stealing states starting started start squeeze spouses spouse spend span sorry soon son something someone situation single since stay stepdad signaling stop taste talk taking take system support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped significant sign layoff secure scales saving same run rules rule rotating rise ripped ridiculous return retiring resume resubscribe restriction restrict restart second see sight seems sick shoves shouldn should short she sharing share shady several settled set servicio series sense selection seen temporary terrible than while when whats what were well weeks week waste wants wanted waiting wait vs virtue value vaccine ut where who thank wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will uses used us upward tipped times time tightening tight throughout through think things thing they these there their thats that thanks tired today told unemployed upping upcoming until unneeded unnecessary unfortunately unfair understand town under unable two twice try tried tracking respect residence reside new must multiple moving moved move more monthly month monetary moment mom mistake mind might merge memberships members my newest opening news ontario only oneday one once ok offset offered offer off of notified nothing nonesence no nice next member medical means me location ll living live little limiting limited limit life letting let lesser less legacy left leave learning locations lol longer makes maybe may married market many manservices making make looking luck loyalty your lower lost losing loose opened opportunity repurposing raising raised raise putting pushed provider profits profit profiles problem pricing prices president prescription preemptively power por popular raises rate
 56%|█████▋    | 27/48 [1:23:16<1:31:34, 261.66s/it]
Topic 27 | Coherence=-224749.68 | Top words= you extra charging share of because greedy subscriptions many your hikes over years also money fan past few to way my the not with out me cant without grandkids stay using months news times gotten town happy expenses unnecessary cutting hosehold hungry husband financially opportunity im budget waste got hackednot garbage gas hacked guys get greed great gouging given good give getting games gone gf girl going goes go gonna forcing future far fair fact face extortion expensive expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else family fault fuel fee from frequent free forth forever had for food focused flat fixed fix first financial finally fiance feet fees feel hacking youre half intolerable keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn is kept kidding kids less limited limit like life letting let lesser legacy lack left leave learning layoff later last laid iny into hand interested holder history hiking hike higher high her el help health he having havent have has hardly hard horrible house household increase instead inflation increments increasses increasing increases increased income households in improvements ill if idea huge how eliminating double edge cannot bf between better benefits benefit being begin before been becoming became be barely bank back awhile away automatically aunt biannually biased biden broke canceling cancel can bye by but business buggin break biggest boyfriend both blindly bit bills billings billing bill at as aren adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amounts amount amercian am already almost allowed allow cancelling card easily care didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cut customers customer currently current currency differences different direction little earlier each duplicate due drive drastically drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue creep credit covid charged climbing climb city choose choice checking cheaper charges charge combine changing changes changed change cell caused caring cared college combining courtesy constantly country costs cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming limiting loyal live spouse stepdad stealing states starting started start squeeze spouses spending stopped spend span sorry soon son something someone some stop stopping thanks system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscription subscribers subscriber sub stupid so situation single save seen seems see secure second scaling scales saving same since run rules rule rotating rising risen rise ripped selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services thank that ridiculous warrant what were went well weeks week we was wants when wanted want waiting wait vs virtue value vaccine whats where thats worth youll yet yearly year yall ya wouldn would workable while work wont won willing will wife why who ut uses users throughout too told today tired tipped time tightening tight through used this think things thing they these there their tooo tracking tried try use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under unable two twice trying right return living non offered offer off now notified nothing nonsense nonesence no often nice next newest new never needed need must offset ok pagos or owner own overpriced outside our others other original options on option opening opened ontario only oneday one once multiple much moving lost manservices making makes make made luck loyalty lower losing moved loose looking longer long lol locations location ll market married may maybe move more monthly month monetary moment mom mistake mind might merge memberships membership members member medical means owning parent retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parents reside retired
Average topic coherence for the top words is -226015.74608760214
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.38it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.41it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.46it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.45it/s]
 10%|█         | 5/50 [00:00<00:08,  5.45it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.46it/s]
 14%|█▍        | 7/50 [00:01<00:07,  5.45it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.43it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.40it/s]
 20%|██        | 10/50 [00:01<00:07,  5.39it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.39it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.39it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.41it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.41it/s]
 30%|███       | 15/50 [00:02<00:06,  5.44it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.43it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.43it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.46it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.46it/s]
 40%|████      | 20/50 [00:03<00:05,  5.45it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.47it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.44it/s]
 46%|████▌     | 23/50 [00:04<00:04,  5.43it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.43it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.43it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.46it/s]
 54%|█████▍    | 27/50 [00:04<00:04,  5.47it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.47it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.42it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.41it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.42it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.44it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.45it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.45it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.44it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.44it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.43it/s]
 76%|███████▌  | 38/50 [00:06<00:02,  5.39it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.40it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.38it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.39it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.40it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.42it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.42it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.43it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.43it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.44it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.44it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.45it/s]
100%|██████████| 50/50 [00:09<00:00,  5.43it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.75it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.70it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.69it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.70it/s]
 10%|█         | 5/50 [00:00<00:06,  6.69it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.71it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.70it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.69it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.65it/s]
 20%|██        | 10/50 [00:01<00:05,  6.68it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.71it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.67it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.67it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.67it/s]
 30%|███       | 15/50 [00:02<00:05,  6.70it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.70it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.72it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.72it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.65it/s]
 40%|████      | 20/50 [00:02<00:04,  6.63it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.64it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.63it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.64it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.65it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.68it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.68it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.68it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.68it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.69it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.68it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.69it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.68it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.69it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.67it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.68it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.69it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.70it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.70it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.66it/s]
 80%|████████  | 40/50 [00:05<00:01,  6.69it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.70it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.71it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.69it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.65it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.66it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.66it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.65it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.66it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.69it/s]
100%|██████████| 50/50 [00:07<00:00,  6.68it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.61it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.59it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.60it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.58it/s]
 10%|█         | 5/50 [00:01<00:12,  3.59it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.61it/s]
 14%|█▍        | 7/50 [00:01<00:11,  3.61it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.61it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.61it/s]
 20%|██        | 10/50 [00:02<00:11,  3.62it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.61it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.60it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.60it/s]
 28%|██▊       | 14/50 [00:03<00:09,  3.60it/s]
 30%|███       | 15/50 [00:04<00:09,  3.59it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.60it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.59it/s]
 36%|███▌      | 18/50 [00:04<00:08,  3.61it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.61it/s]
 40%|████      | 20/50 [00:05<00:08,  3.62it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.60it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.61it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.60it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.60it/s]
 50%|█████     | 25/50 [00:06<00:06,  3.61it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.62it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.62it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.62it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.62it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.61it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.62it/s]
 64%|██████▍   | 32/50 [00:08<00:04,  3.62it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.64it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.61it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.61it/s]
 72%|███████▏  | 36/50 [00:09<00:03,  3.62it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.61it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.61it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.59it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.58it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.59it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.61it/s]
 86%|████████▌ | 43/50 [00:11<00:01,  3.62it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.62it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.63it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.63it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.63it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.63it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.63it/s]
100%|██████████| 50/50 [00:13<00:00,  3.61it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.75it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.71it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.75it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.75it/s]
 10%|█         | 5/50 [00:01<00:16,  2.76it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.74it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.74it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.74it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.74it/s]
 20%|██        | 10/50 [00:03<00:14,  2.74it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.75it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.75it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.75it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.75it/s]
 30%|███       | 15/50 [00:05<00:12,  2.75it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.75it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.76it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.75it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.76it/s]
 40%|████      | 20/50 [00:07<00:10,  2.76it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.74it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.74it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.74it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.75it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.75it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.74it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.75it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.74it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.74it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.74it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.73it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.73it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.74it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.74it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.73it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.74it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.75it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.75it/s]
 78%|███████▊  | 39/50 [00:14<00:03,  2.76it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.76it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.75it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.74it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.75it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.75it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.73it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.73it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.74it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.75it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.74it/s]
100%|██████████| 50/50 [00:18<00:00,  2.75it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.81it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.81it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.82it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.83it/s]
 10%|█         | 5/50 [00:02<00:24,  1.84it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.83it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.83it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.83it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.83it/s]
 20%|██        | 10/50 [00:05<00:21,  1.83it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.83it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.84it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.84it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.84it/s]
 30%|███       | 15/50 [00:08<00:19,  1.84it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.83it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.83it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.83it/s]
 38%|███▊      | 19/50 [00:10<00:16,  1.83it/s]
 40%|████      | 20/50 [00:10<00:16,  1.83it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.83it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.83it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.84it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.83it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.83it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.83it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.83it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.83it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.83it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.83it/s]
 62%|██████▏   | 31/50 [00:16<00:10,  1.83it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.83it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.83it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.83it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.83it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.83it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.83it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.83it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.83it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.83it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.83it/s]
 84%|████████▍ | 42/50 [00:22<00:04,  1.83it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.83it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.83it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.84it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.84it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.83it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.83it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.84it/s]
100%|██████████| 50/50 [00:27<00:00,  1.83it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.69it/s]
Topic 0 | Coherence=-230549.83 | Top words= it the you my time this can as just at months prices for raising not last use in charge by are many take constantly elsewhere possible business much greedy moved see using to being am increase re will rising trying but opportunity won every second support spending reduce start afford bills again out apps need duplicate willing fault justify mistake opened interested before think cut never hardly cheaper us household started and canceling fixed other gas get getting great grandkids gf girl even give greed given entertainment euro go goes gouging gotten going got especially everything gone good gonna garbage from games first fair family fan far fee fix financially expected feel financial fees finally feet few fact flat face focused food extra forcing forever forth extortion free frequent fiance fuel future expensive expenses youre her guys is jacking itself its issues issue isnt isn iny hacked intolerable into instead inflation increments increasses increasing job join joint keep lesser less legacy left leave learning layoff later laid lack kids kidding kept keeps keeping increases increased income higher enough help health he having havent have has hard happy hand half had hacking hackednot high hike improvements hikes im ill if idea husband hungry huge how households house hosehold horrible holder history hiking entertaining doesnt end benefits bill biggest biden biased biannually bf between better benefit emails begin been becoming because became be barely bank billing billings bit blindly cell caused caring cared care card cant cannot cancelling cancel bye buggin budget broke break boyfriend both back awhile away alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all automatically allow aunt aren aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed change changed changes divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date disgusts do dad letting email else eliminating el edge easily earlier each due drive drastically drain down double dont done don damn cutting changing connected competitive compared company coming come combining combine college climbing climb city choose choice checking charging charges charged compromised consider customers consolidating customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant let loyal life spend stepdad stealing stay states starting squeeze spouses spouse span since sorry soon son something someone some so situation stop stopped stopping stranger than terrible temporary temporarily taste talk taking system switching summer success subscriptions subscription subscribers subscriber sub stupid single significant thanks rules seems secure scaling scales saving save same run rule signaling rotating risen rise ripped right ridiculous return retiring seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service thank that like way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs when where while who youll yet years yearly year yall ya wouldn would worth workable work wont without with wife why virtue vaccine thats tightening town tooo too told today tired tipped times tight ut throughout through things thing they these there their tracking tried try twice uses users used upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retired resume resubscribe newest nothing nonsense nonesence non no nice next news new monetary needed must multiple moving move more monthly month notified now of off others original or options option opening ontario only oneday one once on ok often offset offered offer money moment restriction lol your lower lost losing loose looking longer long locations mom location ll living live little limiting limited limit loyalty luck made make mind might merge memberships membership members member medical means me maybe may married market manservices making makes our outside over quality reactivate rather rates rate raises raised raise quickly putting overpriced put pushed provider profits profit profiles problem pricing reality really reason
Topic 1 | Coherence=-213236.36 | Top words= back be will to need break of taking can when month end ll payment move on got money ill and saving just off laid we bit time get come payday else rotating feet spending something next repurposing cutting monetary broke might im combining users own awhile platform soon divorce week join may loose from greed layoff married summer later cancel future short as care holder getting gotten going gouging garbage goes gone go great gonna good given gf grandkids gas girl give youre games fault fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining far fee fuel feel frequent free forth forever forcing for food focused fixed fix first financially financial finally fiance few fees flat high greedy guys jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses job joint justify leave life letting let lesser less legacy left learning keep last lack kids kidding kept keeps keeping increasing increases increased hardly help health he having havent have has hard higher happy hand half had hacking hackednot hacked her hike increase huge income in improvements if idea husband hungry how hikes households household house hosehold horrible history hiking enough down emails before biannually bf between better benefits benefit being begin been biden becoming because became barely bank away automatically aunt biased biggest caused but cared card cant cannot cancelling canceling bye by business bill buggin budget boyfriend both blindly bills billings billing at aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow caring cell email decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cut discontinue disgusts change due elsewhere eliminating el edge easily earlier each duplicate drive do drastically drain limit double dont done don doesnt customers customer currently choice company coming combine college climbing climb city choose checking current cheaper charging charges charged charge changing changes changed compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider like loyal limited states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spend span sorry sub subscribers limiting temporary their the thats that thanks thank than terrible temporarily subscription taste talk take system switching support success subscriptions son someone some scaling series sense selection seen seems see secure second scales so save same run rules rule rising risen rise service services servicio set situation single since significant signaling sign sight sick shoves shouldn should she sharing share shady several settled there these they way while where whats what were went well weeks waste value was warrant wants wanted want waiting wait vs who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue vaccine thing tired try tried tracking town tooo too told today tipped ut times tightening tight throughout through this think things trying twice two unable using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous nonesence offset offered offer now notified nothing not nonsense non multiple no nice news newest new never needed my often ok once one overpriced over outside out our others other original or options option opportunity opening opened ontario only oneday must much owning losing makes make made luck loyalty your lower lost looking moving longer long lol locations location living live little making manservices many market moved more months monthly moment mom mistake mind merge memberships membership members member medical means me maybe owner pagos return rates recently recent reason really reality reactivate re rather rate provider raising raises raised raise quickly quality putting put recession rectifying redo reduce
Topic 2 | Coherence=-225829.38 | Top words= not price to worth the it no enough for anymore increase good using longer currently and used with don cant afford value be money increases inflation me thanks fees caused been continues cost by really biden its daughter fault you president subscriptions respect customers legacy run as another members platform getting go frequent ut justify letting way raising costs isn vs awhile thank constantly monthly rising dont recession living uses added food gas instead increased my sign nothing married like amount adding warrant wait gotten hacked guys greedy greed great grandkids gouging biannually got hackednot gonna gone going goes almost allowed hacking give had higher high her help health he having havent have has hardly hard happy hand half given gf girl few fix first financially financial finally fiance feet flat an annually feel fee anticonsumer far fixed focused hikes am already get also garbage games future fuel amounts from amercian free forth forever forcing hike hiking family keeps keep access just joint join job jacking itself account accounts acct activities issues issue isnt keeping kept history kidding let lesser less about left absurd leave learning layoff later last acceptance laid lack kids addition is iny intolerable if idea husband hungry huge how households alarming household house hosehold all allow horrible holder ill agree im increasses into interested additional addresses increments addtional adicional improvements increasing after again againlater income in fan fair biased coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing come company courtesy compared bank barely continuous became because continue continually continously becoming constant consolidating consider connected compromised competitive changes changed change cell between buggin budget broke break boyfriend both blindly bit bills billings billing bill biggest bf business but better being before begin caring cared care card cannot benefits cancelling canceling cancel can bye benefit country covid fact emails elsewhere else eliminating el edge easily earlier each duplicate due drive apps drastically drain down email aparently credit end face extra extortion expensive expenses expected everything every even euro especially entertainment any entertaining anyways double are done aren deal days day automatically date damn dad cutting cut away customer back current currency creep death decisions declined at doesnt do divorce disgusts disgusting discontinue disappointed delivering direction different aunt differences didnt deteriorated youre loyal life spending stay states starting started start squeeze spouses spouse spend single span sorry soon son something someone some so stealing stepdad stop stopped temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub stupid stranger stopping situation since terrible same seems see secure second scaling scales saving save rules significant rule rotating risen rise ripped right ridiculous return seen selection sense series signaling sight sick shoves shouldn should short she sharing share shady several settled set servicio services service temporary than limit we when whats what were went well weeks week waste us was wants wanted want waiting virtue vaccine users where while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife use upward that through today tired tipped times time tightening tight throughout this upping think things thing they these there their thats told too tooo town upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried tracking retiring retired resume news of now notified nonsense nonesence non nice next newest move new never needed need must multiple much moving off offer offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often moved more resubscribe looking made luck loyalty your lower lost losing loose long months lol locations location ll live little limiting limited make makes making manservices month monetary moment mom mistake mind might merge memberships membership member medical means maybe may market many our out outside quality re rather rates rate raises raised raise quickly putting over put pushed provider profits profit profiles problem pricing reactivate reality reason
Topic 3 | Coherence=-225800.87 | Top words= and this don the for have you is money my prices need months in back too benefits changing long few nonsense married keeps try come keep job once been ill tight budget losing due raising two stop memberships price month services got on upping not husband twice restriction continously amounts huge recently of by other por servicio pagos starting el adicional wife opened quality resubscribe willing newest im as increases youll garbage gas games girl future get getting gf even every financial give euro from given go goes especially going gone gonna good entertainment entertaining gotten gouging fuel free frequent everything finally fiance feet fix fees feel fee fault far fan family fair fixed fact face extra flat focused food extortion expensive forcing forever forth financially expenses expected first youre grandkids intolerable its it issues issue isnt isn iny into jacking interested instead inflation increments increasses increasing increased itself join great last less legacy left leave learning layoff later laid joint lack kids kidding kept keeping justify just increase income improvements hand he having havent has hardly hard happy half if had hacking hackednot hacked guys greedy greed end health help her idea hungry how households household house hosehold horrible holder history hiking hikes hike higher high enough drain emails being biggest biden biased biannually bf between better benefit begin billing before becoming because became be barely bank awhile bill billings automatically bye care card cant cannot cancelling canceling cancel can but bills business buggin broke break boyfriend both blindly bit away aunt email adding againlater again after afford addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at another aren are apps aparently anyways anymore any anticonsumer annually allow an amount amercian am also already almost allowed cared caring caused death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting cell drive elsewhere else eliminating edge easily earlier each duplicate drastically disgusts let down double dont done doesnt do divorce customers customer currently choice coming combining combine college climbing climb city choose checking current cheaper charging charges charged charge changes changed change company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually constantly constant consolidating consider connected lesser loyal letting start stranger stopping stopped stepdad stealing stay states started squeeze someone spouses spouse spending spend span sorry soon son stupid sub subscriber subscribers thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription something some life scales sense selection seen seems see secure second scaling saving so save same run rules rule rotating rising risen series service set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several that thats their way whats what were went well weeks week we waste there was warrant wants wanted want waiting wait vs when where while who yet years yearly year yall ya wouldn would worth workable work wont won without with will why virtue value vaccine tried town tooo told today to tired tipped times time tightening throughout through think things thing they these tracking trying ut unable using uses users used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped right new notified nothing nonesence non no nice next news never overpriced needed must multiple much moving moved move more now off offer offered outside out our others original or options option opportunity opening ontario only oneday one ok often offset monthly monetary moment luck your lower lost loose looking longer lol locations location ll living live little limiting limited limit like loyalty made mom make mistake mind might merge membership members member medical means me maybe may market many manservices making makes over own ridiculous rate recent reason really reality reactivate re rather rates raises owner raised raise quickly putting put pushed provider profits recession rectifying redo
Topic 4 | Coherence=-223152.69 | Top words= price and increases have the up this new ridiculous me upcoming is greedy fee will went customer constant anticonsumer addtional or youll account away back passed had my oneday earlier sorry cost done since policy changes changing with she down added quality when charges as agree mom time two do resume thats more subscriptions has bank not short for fees just amount gouging owning going parent activities set nonsense after now owner been last forcing extra fault go goes far gone gonna fan family fair fact face good extortion feel got expensive expenses expected everything gotten every even euro especially given give forever garbage forth free frequent from food fuel grandkids flat fixed future games fix girl first financially gas get financial finally getting gf fiance few feet focused health great increased job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses join joint justify layoff let lesser less legacy left leave learning later keep laid lack kids kidding kept keeps keeping increasing increase greed income higher high her help entertaining he having havent hardly hard happy hand half hacking hackednot hacked guys hike hikes hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder entertainment youre enough biannually bit bills billings billing bill biggest biden biased bf end between better benefits benefit being begin before becoming blindly both boyfriend break caring cared care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke because became be almost allow all alarming againlater again afford adicional addresses additional addition adding acct accounts access acceptance absurd about allowed already barely also awhile automatically aunt at aren are apps aparently anyways anymore any another annually an amounts amercian am caused cell change divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date disgusts doesnt dad don emails email elsewhere else eliminating el edge easily each duplicate due drive drastically drain double dont life damn cutting changed compromised compared company coming come combining combine college climbing climb city choose choice checking cheaper charging charged charge competitive connected cut consider customers currently current currency creep credit covid courtesy country costs continuous continues continue continually continously constantly consolidating letting loyal like start stopped stop stepdad stealing stay states starting started squeeze some spouses spouse spending spend span soon son something stopping stranger stupid sub thank than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber someone so that same seems see secure second scaling scales saving save run situation rules rule rotating rising risen rise ripped right seen selection sense series single significant signaling sign sight sick shoves shouldn should sharing share shady several settled servicio services service thanks their retiring waste whats what were well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue where while who why you yet years yearly year yall ya wouldn would worth workable work wont won without willing wife value ut there times town tooo too told today to tired tipped tightening using tight throughout through think things thing they these tracking tried try trying uses users used use us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under unable twice return retired limit needed nonesence non no nice next news newest never need money must multiple much moving moved move months monthly nothing notified of off other original options option opportunity opening opened ontario only one once on ok often offset offered offer month monetary our long loyalty your lower lost losing loose looking longer lol moment locations location ll living live little limiting limited luck made make makes mistake mind might merge memberships membership members member medical means maybe may married market many manservices making others out resubscribe raises really reality reactivate re rather rates rate raising raised problem raise quickly putting put pushed provider profits profit reason recent recently recession
Topic 5 | Coherence=-231419.69 | Top words= subscription and price increase you of my now for the as on sharing prices customers go people even in out bye going limited talk recent wife up more continue divorce have do is yet courtesy left this squeeze through happy try like continues spending charges thank budget but live what rate poland amercian own anymore cut already focused less aren much dont moving since seen raise used think pay agree second political wants raising virtue service flat possible activities broke fuel gotten options way repurposing no give lack forcing forever forth free frequent from girl kids future games garbage gas get getting gf kidding issues food expensive family fair fact face extra extortion expenses later expected everything every euro learning especially layoff fan fixed few fix first financially financial finally fiance feet last fees feel fee fault far laid given grandkids kept households ill if idea husband hungry huge how household goes jacking house hosehold horrible holder history hiking im improvements itself income isnt isn iny intolerable into interested instead inflation it increments increasses increasing increases its increased hikes hike higher had hacking hackednot hacked guys greedy greed great issue gouging got good gonna gone keeping keeps keep justify high half her help job health join he having havent joint has entertaining just hardly hard hand entertainment youre enough benefit biggest biden biased biannually bf between better benefits being back begin before been becoming because became be barely bill billing billings bills cared care card cant cannot cancelling canceling cancel can by business buggin break boyfriend both blindly bit bank awhile end addition againlater again after afford adicional addtional addresses additional adding away added acct accounts account access acceptance absurd about alarming all allow allowed automatically aunt at are apps aparently anyways any anticonsumer another annually an amounts amount am also almost caring caused cell delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined change decisions death deal days day daughter date damn disgusts doesnt leave done emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dad cutting customer company come combining combine college climbing climb city choose choice checking cheaper charging charged charge changing changes changed coming compared currently competitive current currency creep credit covid country costs cost continuous continually continously constantly constant consolidating consider connected compromised don loyal legacy stopped stepdad stealing stay states starting started start spouses spouse spend span sorry soon son something someone some stop stopping situation stranger than terrible temporary temporarily taste taking take system switching support summer success subscriptions subscribers subscriber sub stupid so single that seems secure scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return see selection significant sense signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services series thanks thats retired while when whats were went well weeks week we waste was warrant wanted want waiting wait vs value where who ut why youll years yearly year yall ya wouldn would worth workable work wont won without with willing will vaccine using their tracking tooo too told today to tired tipped times time tightening tight throughout things thing they these there town tried uses trying users use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring resume lesser nice news newest new never needed need must multiple moved move months monthly month money monetary moment mom next non mind nonesence opening opened ontario only oneday one once ok often offset offered offer off notified nothing not nonsense mistake might option your lost losing loose looking longer long lol locations location ll living little limiting limit life letting let lower loyalty merge luck memberships membership members member medical means me maybe may married market many manservices making makes make made opportunity or resubscribe really reactivate re rather rates raises raised quickly quality putting put pushed provider profits profit profiles problem pricing reality reason prescription
Topic 6 | Coherence=-230186.73 | Top words= extra you share my with and of increase the about that family when bill using money subscription outside don like power limit states paying idea news want charging me out cant because grandkids stay subscriptions without for sharing hosehold agree months people town cutting expenses way unnecessary husband drain cared hungry consolidating lack one billing not this upping account wanted living gone emails end every getting enough gf girl give greedy greed great even entertaining given gouging euro gotten go got goes good gonna going get entertainment especially far from gas feet financially face financial finally fiance few fees fix feel fact fair fan fee fault first fixed garbage free games everything future fuel frequent expected forth flat forever expensive forcing guys focused extortion food health hacked inflation just joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested justify keep keeping leave life letting let lesser less legacy left learning keeps layoff later last laid kids kidding kept instead increments hackednot increasses higher high her help elsewhere he having havent have has hardly hard happy hand half had hacking hike hikes hiking ill increasing increases increased income in improvements im if history huge how households household house horrible holder email youre else before biannually bf between better benefits benefit being begin been aunt becoming became be barely bank back awhile away biased biden biggest billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills automatically at card additional alarming againlater again after afford adicional addtional addresses addition as adding added activities acct accounts access acceptance absurd all allow allowed almost aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already cannot care eliminating days differences didnt deteriorated delivering declined decisions death deal day currency daughter date damn dad cut customers customer currently different direction disappointed discontinue el edge easily earlier each duplicate due drive drastically down double dont done do divorce disgusts disgusting current creep caring cheaper combine college climbing climb city choose choice checking charges credit charged charge changing changes changed change cell caused combining come coming company covid courtesy country costs cost continuous continues continue continually continously constantly constant consider connected compromised competitive compared doesnt loyal limited span starting started start squeeze spouses spouse spending spend sorry stepdad soon son something someone some so situation single stealing stop limiting switching terrible temporary temporarily taste talk taking take system support stopped summer success subscribers subscriber sub stupid stranger stopping since significant signaling rule second scaling scales saving save same run rules rotating sign rising risen rise ripped right ridiculous return retiring secure see seems seen sight sick shoves shouldn should short she shady several settled set servicio services service series sense selection than thank thanks waste whats what were went well weeks week we was uses warrant wants waiting wait vs virtue value vaccine where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won willing will wife ut users thats tight told today to tired tipped times time tightening throughout used through think things thing they these there their too tooo tracking tried use us upward upcoming up until unneeded unfortunately unfair unemployed understand under unable two twice trying try retired resume resubscribe newest notified nothing nonsense nonesence non no nice next new more never needed need must multiple much moving moved now off offer offered others other original or options option opportunity opening opened ontario only oneday once on ok often offset move monthly over loose make made luck loyalty your lower lost losing looking month longer long lol locations location ll live little makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market our overpriced restriction raised reality reactivate re rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit really reason recent recently
Topic 7 | Coherence=-231103.92 | Top words= and too just to many prices new raised we expensive is increase in worth expenses rules are getting charges subscriptions added additional price fees money after anymore profit have starting profiles moving everything last consolidating of times cut else off pick shouldn manservices competitive already market drive the year my need month gotten down reducing fiance almost from per rent lol married laid increased life being on sick got climb ontario ripped but not thanks must ll hikes system retiring location hackednot accounts combining benefit easily unneeded be secure sharing one back house fee raise euro rising afford much extortion games gas every goes go get give expected girl garbage gf given forth future family feet few finally fault gone far financial financially first fan fix fixed fair extra fact flat focused food for forcing forever face feel free frequent fuel going he gonna issues isnt isn iny intolerable into interested instead inflation increments increasses increasing increases income improvements im issue it good its layoff later lack kids kidding kept keeps keeping keep justify joint join job jacking itself ill if idea husband has hardly hard happy hand half had hacking hacked guys greedy greed great grandkids gouging havent having health horrible hungry huge how households household hosehold holder help history hiking hike higher high her even youre especially biased blindly bit bills billings billing bill biggest biden biannually became bf between better benefits begin before been becoming both boyfriend break broke cell caused caring cared care card cant cannot cancelling canceling cancel can bye by business buggin budget because barely entertainment addresses allow all alarming agree againlater again adicional addtional addition bank adding activities acct account access acceptance absurd about allowed also am amercian awhile away automatically aunt at as aren apps aparently anyways any anticonsumer another annually an amounts amount change changed changes differences do divorce disgusts disgusting discontinue disappointed direction different didnt changing deteriorated delivering declined decisions death deal days day doesnt don done dont entertaining enough end emails email elsewhere eliminating el edge earlier each duplicate due drastically drain leave double daughter date damn constant connected compromised compared company coming come combine college climbing city choose choice checking cheaper charging charged charge consider constantly dad continously cutting customers customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continually learning loyal left subscribers sub stupid stranger stopping stopped stop stepdad stealing stay states started start squeeze spouses spouse spending spend subscriber subscription sorry success these there their thats that thank than terrible temporary temporarily taste talk taking take switching support summer span soon thing set services service series sense selection seen seems see second scaling scales saving save same run rule rotating servicio settled son several something someone some so situation single since significant signaling sign sight shoves should short she share shady they things rise who where when whats what were went well weeks week way waste was warrant wants wanted want waiting while why vs wife youll you yet years yearly yall ya wouldn would workable work wont won without with willing will wait virtue think unable twice trying try tried tracking town tooo told today tired tipped time tightening tight throughout through this two under value understand vaccine ut using uses users used use us upward upping upcoming up until unnecessary unfortunately unfair unemployed risen right legacy now nothing nonsense nonesence non no nice next news newest never needed multiple moved move more months monthly notified offer moment offered out our others other original or options option opportunity opening opened only oneday once ok often offset monetary mom over lower losing loose looking longer long locations living live little limiting limited limit like letting let lesser less lost your mistake loyalty mind might merge memberships membership members member medical means me maybe may making makes make made luck outside overpriced ridiculous recession recent reason really reality reactivate re rather rates rate raising raises quickly quality putting put pushed provider recently rectifying problem
Topic 8 | Coherence=-221558.92 | Top words= price the will use service we subscription pay have my different where increases change upcoming locations is get with in through it provider getting but phone anymore many enough keeps am hike users rejoin do be once multiple anticonsumer canceling cannot temporarily moving down settled before free preemptively rate continues next between connected issues barely personal later cheaper billings drain services stopped replace don cancelling scaling less cell another increase climbing flat caring was so president keep expected every expenses everything fee even gf girl euro garbage give given go especially goes going gone gonna good gas face expensive first fault feel fees feet few far fiance finally fan family gotten financial fair financially fix games fixed focused food fact for forcing forever forth frequent from extra fuel extortion future got youre gouging grandkids jacking itself its issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increased income job join joint layoff letting let lesser legacy left leave learning last just laid lack kids kidding kept keeping justify improvements im ill half having entertainment has hardly hard happy hand had health hacking hackednot hacked guys greedy greed great he help if house idea husband hungry huge how households household hosehold her horrible holder history hiking hikes higher high havent done entertaining biggest biased biannually bf better benefits benefit being begin been becoming because became bank back awhile away automatically biden bill at billing care card cant cancel can bye by business buggin budget broke break boyfriend both blindly bit bills aunt as end againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree aren alarming are apps aparently anyways any annually and an amounts amount amercian also already almost allowed allow all cared caused changed disgusts discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad disgusting divorce changes doesnt emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically double dont like cutting cut customers customer compared company coming come combining combine college climb city choose choice checking charging charges charged charge changing competitive compromised consider country currently current currency creep credit covid courtesy costs consolidating cost continuous continue continually continously constantly constant life loyal limit squeeze stop stepdad stealing stay states starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid limited taking that thanks thank than terrible temporary taste talk take sub system switching support summer success subscriptions subscribers subscriber someone some situation run seems see secure second scales saving save same rules single rule rotating rising risen rise ripped right ridiculous seen selection sense series since significant signaling sign sight sick shoves shouldn should short she sharing share shady several set servicio thats their there way when whats what were went well weeks week waste vaccine warrant wants wanted want waiting wait vs virtue while who why wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing value ut these times town tooo too told today to tired tipped time using tightening tight throughout this think things thing they tracking tried try trying uses used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice return retiring retired new not nonsense nonesence non no nice news newest never month needed need must much moved move more months nothing notified now of or options option opportunity opening opened ontario only oneday one on ok often offset offered offer off monthly money other looking made luck loyalty your lower lost losing loose longer monetary long lol location ll living live little limiting make makes making manservices moment mom mistake mind might merge memberships membership members member medical means me maybe may married market original others resume raise reality reactivate re rather rates raising raises raised quickly prices quality putting put pushed profits profit profiles problem really reason recent recently
Topic 9 | Coherence=-223320.01 | Top words= price to of and the your service customer paying just need change was hike increase care has garbage since again gone that selection like member billing deteriorated before drastically span other customers in keep this months about things date start rate take first country unable why quality help all no blindly at should financial horrible what cut done for constant creep less cost stupid some being loyal annually am due became up expenses rising reflect terrible situation buggin issues having changed good ridiculous new life but declined wants every death got gonna gotten againlater going goes gouging go begin grandkids great have afford hardly hard happy hand half had hacking hackednot hacked after guys greedy greed given get give agree fixed fix allowed financially almost finally fiance few feet fees feel fee already fault far flat focused food future girl gf getting gas alarming games fuel allow from frequent free forth forever forcing havent high he its justify account joint join job jacking itself it keeping issue isnt isn accounts is iny intolerable access acceptance health learning letting let lesser absurd legacy left leave layoff keeps later last laid lack kids kidding kept into interested instead history households household house addition hosehold additional holder hiking inflation hikes addresses addtional higher family her adicional how huge hungry adding increments increasses increasing increases increased acct activities income added improvements im ill if idea husband fan everything fair caring climb city choose choice checking cheaper charging away charges charged charge changing changes awhile cell climbing college combine compromised constantly aren as consolidating consider connected competitive automatically aunt compared company coming come combining caused back continously cared because bit bills billings becoming been bill biggest biden biased biannually bf between better benefits both boyfriend break cancel bank card cant cannot cancelling canceling barely broke can bye by business be budget are continually fact do eliminating el edge easily earlier each duplicate drive amercian drain down double dont amount don else elsewhere email benefit face extra extortion expensive also expected even emails euro especially entertainment entertaining enough end doesnt divorce continue disgusting anticonsumer any currently current currency anymore credit covid courtesy anyways aparently costs apps continuous continues another cutting dad amounts discontinue disappointed direction different differences didnt delivering damn decisions deal days day daughter an disgusts youre limit spouses stop stepdad stealing stay states starting started squeeze spouse significant spending spend sorry soon son something someone so stopped stopping stranger sub thanks thank than temporary temporarily taste talk taking system switching support summer success subscriptions subscription subscribers subscriber single signaling their rotating scaling scales saving save same run rules rule risen sign rise ripped right return retiring retired resume resubscribe second secure see seems sight sick shoves shouldn short she sharing share shady several settled set servicio services series sense seen thats there limited week while where when whats were went well weeks we value way waste warrant wanted want waiting wait vs who wife will willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue vaccine these tipped tried tracking town tooo too told today tired times ut time tightening tight throughout through think thing they try trying twice two using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under restriction restrict restart never not nonsense nonesence non nice next news newest needed month my must multiple much moving moved move more nothing notified now off or options option opportunity opening opened ontario only oneday one once on ok often offset offered offer monthly money respect longer made luck loyalty lower lost losing loose looking long monetary lol locations location ll living live little limiting make makes making manservices moment mom mistake mind might merge memberships membership members medical means me maybe may married market many original others our pushed rates raising raises raised raise quickly putting put provider out profits profit profiles problem pricing prices president prescription rather re reactivate
Topic 10 | Coherence=-216119.55 | Top words= you only that are bye the fact want if not email again good consider this back give issue to reactivate forever makes rectifying come will never it me months subscription have card is an compromised told wanted bank under restart choose new another so before thing workable fees lol town gf gas getting girl garbage get youre given grandkids hackednot hacked guys greedy greed great gouging go gotten got gonna gone going goes games focused future fuel fan family fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails far fault fee flat from frequent free forth forcing for food had fixed feel fix first financially financial finally fiance few feet hacking hike half kidding keeps keeping keep justify just joint join job jacking itself its issues isnt isn iny intolerable into kept kids hand lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid interested instead inflation increments holder history hiking hikes else higher high her help health he having havent has hardly hard happy horrible hosehold house improvements increasses increasing increases increased increase income in im household ill idea husband hungry huge how households elsewhere dont eliminating being biden biased biannually bf between better benefits benefit begin bill been becoming because became be barely awhile away biggest billing el business cant cannot cancelling canceling cancel can by but buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at adding againlater after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer annually and amounts amount amercian am also already almost allowed care cared caring death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts edge easily earlier each duplicate due drive drastically drain down double live done don doesnt do divorce customers currently caused cheaper combining combine college climbing climb city choice checking charging current charges charged charge changing changes changed change cell coming company compared competitive currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected little loyal living spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped single switching terrible temporary temporarily taste talk taking take system support stopping summer success subscriptions subscribers subscriber sub stupid stranger situation since ll same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense significant she signaling sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services service than thank thanks way whats what were went well weeks week we waste where was warrant wants waiting wait vs virtue value when while thats would youll yet years yearly year yall ya wouldn worth who work wont won without with willing wife why vaccine ut using tightening tracking tooo too today tired tipped times time tight uses throughout through think things they these there their tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two ridiculous return retiring non offer off of now notified nothing nonsense nonesence no offset nice next news newest needed need my must offered often own options over outside out our others other original or option ok opportunity opening opened ontario oneday one once on multiple much moving your market many manservices making make made luck loyalty lower moved lost losing loose looking longer long locations location married may maybe means move more monthly month money monetary moment mom mistake mind might merge memberships membership members member medical overpriced owner retired raise reality re rather rates rate raising raises raised quickly reason quality putting put pushed provider profits profit profiles really recent owning replace resume
Topic 11 | Coherence=-232859.03 | Top words= and subscription sharing you keep with of greedy my pricing terrible charges addition no will is if extra too increasing the an im using charge your reality acceptance support not away passed longer lack parents change new to good paying that family hacked owner canceling really has popular series married hard fix college dad pleased ll share cant offered phone person aunt policies spouses opened re another begin declined rates this future caring her help happy climb resume it life different anymore month accounts job want how about fan extortion getting fair fact gf face girl forth expensive give far expenses expected go everything every goes even going gone given feel fault fee forever free forcing for frequent from fuel gonna focused flat fixed games first financially financial finally fiance few garbage gas feet fees get food having got income its issues issue isnt isn iny intolerable into interested instead inflation increments increasses increases increased itself jacking join laid left leave learning layoff later last kids joint kidding kept keeps keeping justify just increase in gotten improvements he especially havent have hardly hand half had hacking hackednot guys greed great grandkids gouging health high higher household ill idea husband hungry huge households house hike hosehold horrible holder history hiking hikes euro youre entertainment between billings billing bill biggest biden biased biannually bf better bit benefits benefit being before been becoming because became bills blindly entertaining can cell caused cared care card cannot cancelling cancel bye both by but business buggin budget broke break boyfriend be barely bank addtional all alarming agree againlater again after afford adicional addresses back additional adding added activities acct account access absurd allow allowed almost already awhile automatically at as aren are apps aparently anyways any anticonsumer annually amounts amount amercian am also changed changes changing disappointed done don doesnt do divorce disgusts disgusting discontinue direction daughter differences didnt deteriorated delivering decisions death deal days dont double down less enough end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain day date charged come consolidating consider connected compromised competitive compared company coming combining damn combine climbing city choose choice checking cheaper charging constant constantly continously continually cutting cut customers customer currently current currency creep credit covid courtesy country costs cost continuous continues continue legacy loyal lesser started stopping stopped stop stepdad stealing stay states starting start these squeeze spouse spending spend span sorry soon son stranger stupid sub subscriber their thats thanks thank than temporary temporarily taste talk taking take system switching summer success subscriptions subscribers something someone some service selection seen seems see secure second scaling scales saving save same run rules rule rotating rising risen sense services so servicio situation single since significant signaling sign sight sick shoves shouldn should short she shady several settled set there they ripped we when whats what were went well weeks week way thing waste was warrant wants wanted waiting wait vs where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife virtue value vaccine twice try tried tracking town tooo told today tired tipped times time tightening tight throughout through think things trying two ut unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right let must non nice next news newest never needed need multiple other much moving moved move more months monthly money nonesence nonsense nothing notified or options option opportunity opening ontario only oneday one once on ok often offset offer off now monetary moment mom luck lower lost losing loose looking long lol locations location living live little limiting limited limit like letting loyalty made mistake make mind might merge memberships membership members member medical means me maybe may market many manservices making makes original others ridiculous raises recession recently recent reason reactivate rather rate raising raised our raise quickly quality putting put pushed provider profits rectifying redo reduce
Topic 12 | Coherence=-228823.60 | Top words= too for is it expensive much me now the prices going keep not service worth be price increase unfortunately upward no was what cost many way high has new should stupid isnt offered never half given rule life up first later month cancel use using already amount maybe options vs becoming quality didnt let charged longer its right itself everything keeps hikes increased fees few willing risen quickly whats raising charge overpriced tooo people sign wants prescription spending hike time why get forever forcing goes getting frequent forth free from girl gas give fuel garbage future games go gf youre food especially extortion expenses expected every even euro entertainment focused entertaining enough end emails email elsewhere extra face fact fair family fan far fee feel feet fiance finally financial financially fix fixed flat fault have gone isn intolerable into interested instead inflation increments increasses increasing increases income in improvements im ill if iny issue husband issues learning layoff last laid lack kids kidding kept keeping justify just joint join job jacking idea hungry gonna hardly happy hand had hacking hackednot hacked guys greedy greed great grandkids gouging gotten got good hard eliminating huge havent how households household house hosehold horrible holder history hiking higher her help health he having else divorce el before biannually bf between better benefits benefit being begin been biden because became barely bank back awhile away automatically biased biggest at budget cancelling canceling can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt as cant adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another and all an amounts amercian am also almost allowed allow cannot card edge day differences deteriorated delivering declined decisions death deal days daughter direction date damn dad cutting cut customers customer currently different disappointed currency down easily earlier each duplicate due drive drastically drain double discontinue dont done don doesnt do left disgusts disgusting current creep care charging college climbing climb city choose choice checking cheaper charges combining changing changes changed change cell caused caring cared combine come credit continously covid courtesy country costs continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company leave loyal legacy spend stay states starting started start squeeze spouses spouse span restriction sorry soon son something someone some so situation stealing stepdad stop stopped temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stranger stopping single since significant see second scaling scales saving save same run rules rotating rising rise ripped ridiculous return retiring retired resume secure seems signaling seen sight sick shoves shouldn short she sharing share shady several settled set servicio services series sense selection temporary terrible than while when were went well weeks week we waste warrant wanted want waiting wait virtue value vaccine ut where who users wife youll you yet years yearly year yall ya wouldn would workable work wont won without with will uses used thank to tipped times tightening tight throughout through this think things thing they these there their thats that thanks tired today us told upping upcoming until unneeded unnecessary unfair unemployed understand under unable two twice trying try tried tracking town resubscribe restrict less must non nice next news newest needed need my multiple restart moving moved move more months monthly money monetary nonesence nonsense nothing notified or option opportunity opening opened ontario only oneday one once on ok often offset offer off of moment mom mistake lower losing loose looking long lol locations location ll living live little limiting limited limit like letting lesser lost your mind loyalty might merge memberships membership members member medical means may married market manservices making makes make made luck original other others reality re rather rates rate raises raised raise putting put pushed provider profits profit profiles problem pricing president reactivate really preemptively
Topic 13 | Coherence=-224698.93 | Top words= to and money prices raising you keep save use stop need it much in as me trying even dont customer on other your been some do years time into havent yall stealing because waste from of services made put now damn service would rather success learning go up garbage spend upcoming right care hard cost squeeze putting adding profits these membership guys redo was wouldn weeks prefer rate issues yet platforms currently leave barely several many understand addtional please frequent especially fuel free forth euro future entertainment entertaining forcing games enough gas get getting gf girl give end given emails forever fan for every fair far fact fault fee goes feel fees face extra extortion expensive feet few fiance finally expenses financial expected everything financially first fix family flat focused food fixed hand going isnt is iny intolerable interested instead inflation increments increasses increasing increases increased increase income improvements im ill if isn issue gone its layoff later last laid lack kids kidding kept keeps keeping justify just joint join job jacking itself idea husband hungry huge hardly happy elsewhere half had hacking hackednot hacked greedy greed great grandkids gouging gotten got good gonna has have having history how households household house hosehold horrible holder hiking he hikes hike higher high her help health email youre else being biden biased biannually bf between better benefits benefit begin aunt before becoming became be bank back awhile away biggest bill billing billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills automatically at cant addition agree againlater again after afford adicional addresses additional added aren activities acct accounts account access acceptance absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cannot card eliminating days differences didnt deteriorated delivering declined decisions death deal day credit daughter date dad cutting cut customers current currency different direction disappointed discontinue el edge easily earlier each duplicate due drive drastically drain down double done don doesnt divorce disgusts creep covid cared charges climbing climb city choose choice checking cheaper charging charged courtesy charge changing changes changed change cell caused caring college combine combining come country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming disgusting loyal left sorry states starting started start spouses spouse spending span soon legacy son something someone so situation single since significant stay stepdad stopped stopping temporary temporarily taste talk taking take system switching support summer subscriptions subscription subscribers subscriber sub stupid stranger signaling sign sight scaling saving same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction scales second sick secure shoves shouldn should short she sharing share shady settled set servicio series sense selection seen seems see terrible than thank whats were went well week we way warrant wants wanted want waiting wait vs virtue value vaccine ut what when uses where youll yearly year ya worth workable work wont won without with willing will wife why who while using users thanks told tired tipped times tightening tight throughout through this think things thing they there their the thats that today too used tooo us upward upping until unneeded unnecessary unfortunately unfair unemployed under unable two twice try tried tracking town restrict restart respect next newest new never needed my must multiple moving moved move more months monthly month monetary moment mom news nice mind no ontario only oneday one once ok often offset offered offer off notified nothing not nonsense nonesence non mistake might opening looking long lol locations location ll living live little limiting limited limit like life letting let lesser less longer loose merge losing memberships members member medical means maybe may married market manservices making makes make luck loyalty lower lost opened opportunity residence rates raised raise quickly quality pushed provider profit profiles problem pricing price president prescription preemptively power possible por raises re pop
Topic 14 | Coherence=-215187.65 | Top words= subscription pay to have that it so not just an card do was wanted credit charged option allowed bill ill because after automatically but my without keep charging declined am too fault euro cheaper can hikes currency subscriptions waiting day options yearly until uses keeps increased last this prefer idea upping days loyal me mistake fixed expected expensive good gonna gone extortion extra going goes face fact go given give expenses got girl especially enough entertaining hacked entertainment guys greedy even gotten every greed great everything grandkids gouging fair family fix frequent first financially flat focused financial food hacking finally for forcing forever forth fiance free few gf from feet fees fuel feel fee far future fan games garbage gas get getting hackednot her had itself kept keeping justify joint join job jacking its kids issues issue isnt isn is iny intolerable kidding lack interested let little limiting limited limit like life letting lesser laid less legacy left leave learning layoff later into instead half health history hiking hike higher high emails help he horrible having havent has hardly hard happy hand holder hosehold inflation improvements increments increasses increasing increases increase income in im house if husband hungry huge how households household end done email before biannually bf between better benefits benefit being begin been care becoming became be barely bank back awhile away biased biden biggest billing cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly bit bills billings aunt at as agree again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming aren all are apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian also already almost allow cant cared elsewhere decisions discontinue disappointed direction different differences didnt deteriorated delivering death caring deal daughter date damn dad cutting cut customers disgusting disgusts divorce doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont living don customer currently current coming combining combine college climbing climb city choose choice checking charges charge changing changes changed change cell caused come company creep compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive live youre ll spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some situation stealing stop since switching terrible temporary temporarily taste talk taking take system support stopped summer success subscribers subscriber sub stupid stranger stopping single significant thank run see secure second scaling scales saving save same rules seen rule rotating rising risen rise ripped right ridiculous seems selection signaling sharing sign sight sick shoves shouldn should short she share sense shady several settled set servicio services service series than thanks location we when whats what were went well weeks week way while waste warrant wants want wait vs virtue value where who ut would youll you yet years year yall ya wouldn worth why workable work wont won with willing will wife vaccine using thats throughout told today tired tipped times time tightening tight through town think things thing they these there their the tooo tracking users unfortunately used use us upward upcoming up unneeded unnecessary unfair tried unemployed understand under unable two twice trying try return retiring retired no off of now notified nothing nonsense nonesence non nice offered next news newest new never needed need must offer offset much opportunity over outside out our others other original or opening often opened ontario only oneday one once on ok multiple moving resume your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may moved mom move more months monthly month money monetary moment mind maybe might merge memberships membership members member medical means overpriced own owner raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently owning replace resubscribe
Topic 15 | Coherence=-221987.32 | Top words= it prices for increasing at keep and time only like customer rates subscriber we long loyalty feel there alarming no going will now is afford can right don money anymore want lost job just any cannot cant tight after users longer subscription upping less been income price horrible decisions are creep getting get euro gas garbage especially games entertainment girl give gf fault given even enough hackednot hacked guys greedy greed great grandkids gouging gotten got good gonna gone entertaining goes go future frequent fuel feet finally expensive fiance few extortion extra face financially fees fact fair family fan far financial first from expected every fee free everything forth forever forcing had food expenses focused flat fixed fix hacking youre half hand kept keeps keeping justify joint join jacking itself its issues issue isnt isn iny intolerable into interested kidding kids lack let live little limiting limited limit life letting lesser laid legacy left leave learning layoff later last instead inflation increments health emails hikes hike higher high her help he history having havent have has hardly hard happy hiking holder increasses if increases increased increase in improvements im ill idea hosehold husband hungry huge how households household house end drastically email benefits bill biggest biden biased biannually bf between better benefit billings being begin before becoming because became be barely billing bills elsewhere by caring cared care card cancelling canceling cancel bye but bit business buggin budget broke break boyfriend both blindly bank back awhile adding agree againlater again adicional addtional addresses additional addition added away activities acct accounts account access acceptance absurd about all allow allowed almost automatically aunt as aren apps aparently anyways anticonsumer another annually an amounts amount amercian am also already caused cell change declined discontinue disappointed direction different differences didnt deteriorated delivering death customers deal days day daughter date damn dad cutting disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive ll drain down double dont done doesnt cut currently changed choose coming come combining combine college climbing climb city choice current checking cheaper charging charges charged charge changing changes company compared competitive compromised currency credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected living loyal location start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone talk that thanks thank than terrible temporary temporarily taste taking sub take system switching support summer success subscriptions subscribers something some the scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled thats their locations week where when whats what were went well weeks way who waste was warrant wants wanted waiting wait vs while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue vaccine these tipped tracking town tooo too told today to tired times try tightening throughout through this think things thing they tried trying ut until using uses used use us upward upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two risen rise ripped not often offset offered offer off of notified nothing nonsense on nonesence non nice next news newest new never ok once need other owner own overpriced over outside out our others original one or options option opportunity opening opened ontario oneday needed my ridiculous makes me maybe may married market many manservices making make medical made luck your lower losing loose looking lol means member must month multiple much moving moved move more months monthly monetary members moment mom mistake mind might merge memberships membership owning pagos parent rather recession recently recent reason really reality reactivate re rate redo raising raises raised raise quickly quality putting put rectifying reduce parents respect return
Topic 16 | Coherence=-232493.73 | Top words= price the are prices your year increasing increase you is seems or it raising not options increases after other entertaining biannually far consider company like much ill has to too every of many for but willing pay keeps nothing added ridiculous really new good support ok worth up something when great continually because hardly value while differences delivering terrible any without improvements point little jacking higher stop addition from am paying days greedy times raise rising member kidding stopping living keep don constant daughter pricing please lower nonesence reflect original pls politically last wont became waste biased tired us profits money greed often cancel before residence twice gouging gone gonna going and annually another got anticonsumer anymore gotten blindly grandkids an go amounts amount guys hacked hackednot amercian hacking had also half already hand goes gf given give focused flat fixed fix first financially financial aren finally as at fiance few feet fees food forcing forever games girl hard getting get gas garbage future forth fuel anyways aparently frequent apps free happy have almost acct issues issue isnt isn adding iny intolerable into interested additional instead inflation increments increasses addresses activities its allowed accounts lack kids about kept absurd keeping acceptance justify just joint join access job account itself addtional increased adicional afford history hiking hikes hike alarming high all her help health he having havent allow feel holder horrible hosehold agree income in again im againlater if idea house husband hungry huge how households household aunt fan fee cut bf connected compromised competitive compared coming biden come combining combine college climbing climb city choose consolidating between constantly covid customer currently current currency creep credit courtesy continously country costs cost continuous continues continue choice checking cheaper bills cancelling canceling can bye by billings business billing buggin budget broke break bit boyfriend cannot cant charging bill charges charged charge changing biggest changes changed card change cell caused caring cared care customers cutting fault better barely especially entertainment be enough end emails email elsewhere else eliminating el edge easily earlier euro even bank away automatically both family fair fact face awhile everything back extra extortion expensive expenses expected each duplicate becoming death didnt begin deteriorated being declined decisions deal direction benefit day benefits date damn dad different been due done drive drastically drain down double dont laid disappointed doesnt do divorce disgusts disgusting discontinue youre loyal later stay starting started start squeeze spouses spouse spending spend span sorry soon son someone some so situation single states stealing than stepdad temporarily taste talk taking take system switching summer success subscriptions subscription subscribers subscriber sub stupid stranger stopped since significant signaling sign see secure second scaling scales saving save same run rules rule rotating risen rise ripped right return seen selection sense sharing sight sick shoves shouldn should short she share series shady several settled set servicio services service temporary thank layoff were well weeks week we way was warrant wants wanted want waiting wait vs virtue vaccine ut using went what thanks whats youll yet years yearly yall ya wouldn would workable work won with will wife why who where uses users used use today tipped time tightening tight throughout through this think things thing they these there their thats that told tooo town unfair upward upping upcoming until unneeded unnecessary unfortunately unemployed tracking understand under unable two trying try tried retiring retired resume never need my must multiple moving moved move more months monthly month monetary moment mom mistake mind might needed newest resubscribe news ontario only oneday one once on offset offered offer off now notified nonsense non no nice next merge memberships membership members lol locations location ll live limiting limited limit life letting let lesser less legacy left leave learning long longer looking manservices medical means me maybe may married market making loose makes make made luck loyalty lost losing opened opening opportunity prefer reactivate re rather rates rate raises raised quickly quality putting put pushed provider profit profiles problem president reality
Topic 17 | Coherence=-229104.19 | Top words= and are different me you to youre my company charge extortion taste disgusting its subscriptions have but about greedy bill family for pay extra that cancel same membership since up will going do mom rates places restrict thing want higher sharing than others who fixed income live using am even the two fair in just kids hike greed on with how keeps too stopping double emails hikes payment disgusts fee financially boyfriend saving retired time non hard dad newest some unemployed go offer of charging else choose alarming great grandkids gonna good gouging gotten got agree all gone goes hacking againlater hardly he having havent after again has happy guys hand half had allow hackednot hacked given between give few also fix first amercian financial finally fiance feet focused fees feel amount fault far fan amounts flat food health future allowed gf getting get gas garbage games almost already fuel from frequent free forth forever forcing girl high help into account joint join job jacking itself accounts it issues issue isnt isn is acct iny justify keep keeping layoff less legacy left leave learning absurd later access last laid lack acceptance kidding kept intolerable interested her activities huge additional addresses households household house hosehold horrible holder history hiking addtional adicional afford fact hungry husband idea increases instead inflation increments increasses increasing added increased if increase adding addition improvements im ill an expensive face combine climbing climb city choice checking cheaper charges charged bank barely changing changes changed change cell college combining be come continues continue continually continously constantly constant awhile consolidating consider connected compromised competitive compared back coming caused caring annually broke begin being both blindly bit bills billings billing benefit biggest biden benefits biased biannually better break budget cared buggin care card cant cannot cancelling canceling became because can bye by becoming been business before continuous cost costs eliminating edge easily earlier each duplicate due drive drastically drain down anyways dont done don aparently el elsewhere country email another bf expenses expected everything every anticonsumer euro especially any entertainment entertaining enough end anymore doesnt apps divorce let daughter date damn cutting cut customers customer currently current currency creep credit covid courtesy away day days deal differences aren as discontinue disappointed direction at didnt automatically deteriorated delivering declined decisions aunt death lesser loyal letting spend states starting started start squeeze spouses spouse spending span signaling sorry soon son something someone so situation single stay stealing stepdad stop temporary temporarily talk taking take system switching support summer success subscription subscribers subscriber sub stupid stranger stopped significant sign restart rising second scaling scales save run rules rule rotating risen sight rise ripped right ridiculous return retiring resume resubscribe secure see seems seen sick shoves shouldn should short she share shady several settled set servicio services service series sense selection terrible thank thanks way whats what were went well weeks week we waste thats was warrant wants wanted waiting wait vs virtue when where while why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife value vaccine ut tracking tooo told today tired tipped times tightening tight throughout through this think things they these there their town tried uses try users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair understand under unable twice trying restriction respect life need nonesence no nice next news new never needed must money multiple much moving moved move more months monthly nonsense not nothing notified or options option opportunity opening opened ontario only oneday one once ok often offset offered off now month monetary residence lol your lower lost losing loose looking longer long locations moment location ll living little limiting limited limit like loyalty luck made make mistake mind might merge memberships members member medical means maybe may married market many manservices making makes original other our put rate raising raises raised raise quickly quality putting pushed out provider profits profit profiles problem pricing prices price rather re reactivate
Topic 18 | Coherence=-229849.85 | Top words= price the and is increases with to money more will your not be for in me months can deal has raised subscription problem continuous saving need long high too way over year cancel renewing who am while rate subscriber offset increasses each my edge rates workable pushed going think system moved news son business no broke taking disappointed sub later nice biggest covid cost resume save creep often acceptance financially reality spending non about prescription right give gf garbage free future gas get getting gonna given fuel from frequent gone goes games go girl youre forth forever family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment fan far fault first forcing food focused flat fixed fix good fee finally fiance few feet fees feel financial havent got ill it issues issue isnt isn iny intolerable into interested instead inflation increments increasing increased increase income improvements its itself jacking kidding leave learning layoff last laid lack kids kept job keeps keeping keep justify just joint join im if gotten idea enough have hardly hard happy hand half had hacking hackednot hacked guys greedy greed great grandkids gouging having he health hosehold husband hungry huge how households household house horrible help holder history hiking hikes hike higher her entertaining done end before biannually bf between better benefits benefit being begin been biden becoming because became barely bank back awhile away biased bill emails but care card cant cannot cancelling canceling bye by buggin billing budget break boyfriend both blindly bit bills billings automatically aunt at additional agree againlater again after afford adicional addtional addresses addition as adding added activities acct accounts account access absurd alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost cared caring caused declined disgusting discontinue direction different differences didnt deteriorated delivering decisions customers death days day daughter date damn dad cutting disgusts divorce do doesnt email elsewhere else eliminating el easily earlier duplicate due drive drastically drain down double dont legacy don cut customer cell checking combining combine college climbing climb city choose choice cheaper currently charging charges charged charge changing changes changed change come coming company compared current currency credit courtesy country costs continues continue continually continously constantly constant consolidating consider connected compromised competitive left loyal less squeeze stop stepdad stealing stay states starting started start spouses return spouse spend span sorry soon something someone some stopped stopping stranger stupid thats that thanks thank than terrible temporary temporarily taste talk take switching support summer success subscriptions subscribers so situation single series selection seen seems see secure second scaling scales same run rules rule rotating rising risen rise ripped sense service since services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio their there these whats were went well weeks week we waste was warrant wants wanted want waiting wait vs virtue value what when ut where youll you yet years yearly yall ya wouldn would worth work wont won without willing wife why vaccine using they trying tried tracking town tooo told today tired tipped times time tightening tight throughout through this things thing try twice uses two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring lesser must nothing nonsense nonesence next newest new never needed multiple retired much moving move monthly month monetary moment mom notified now of off other original or options option opportunity opening opened ontario only oneday one once on ok offered offer mistake mind might lost loose looking longer lol locations location ll living live little limiting limited limit like life letting let losing lower merge loyalty memberships membership members member medical means maybe may married market many manservices making makes make made luck others our out recent really reactivate re rather raising raises raise quickly quality putting put provider profits profit profiles pricing prices reason recently prefer
Topic 19 | Coherence=-229052.05 | Top words= the to price many hikes charging extra of greedy your you also share not past fan few years over way money subscriptions for because too hike newest out an are getting expensive hand so others increases lack switching selection compared keep got far gotten work tired ya girl moment at moving continue just my town thing temporary absurd payment hungry date country has sick caring hacked city college unable pay never food goes gonna gone going go extortion given good everything expenses expected give every even euro especially entertainment gouging entertaining enough grandkids end face fault fact fair focused forcing flat forever forth free frequent fixed from fix fuel first financially future financial games finally fiance garbage gas feet get fees gf feel fee family great youre greed isnt job jacking itself its it issues issue isn joint is iny intolerable into interested instead inflation join justify increasses learning letting let lesser less legacy left leave layoff keeping later last laid kids kidding kept keeps increments increasing guys havent high her help health he having email have hiking hardly hard happy half had hacking hackednot higher history increased idea increase income in improvements im ill if husband holder huge how households household house hosehold horrible emails done elsewhere begin biased biannually bf between better benefits benefit being before biggest been becoming became be barely bank back awhile biden bill cant buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts account access acceptance about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am already almost allowed cannot card else decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter damn dad cutting cut discontinue disgusts care drive eliminating el edge easily earlier each duplicate due drastically divorce drain down double dont like don doesnt do customers customer currently charges combining combine climbing climb choose choice checking cheaper charged current charge changing changes changed change cell caused cared come coming company competitive currency creep credit covid courtesy costs cost continuous continues continually continously constantly constant consolidating consider connected compromised life loyal limit spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son something someone stop stopped stopping stranger thank than terrible temporarily taste talk taking take system support summer success subscription subscribers subscriber sub stupid some single that run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped right ridiculous seems seen sense series significant signaling sign sight shoves shouldn should short she sharing shady several settled set servicio services service thanks thats retiring waste whats what were went well weeks week we was vaccine warrant wants wanted want waiting wait vs virtue when where while who youll yet yearly year yall wouldn would worth workable wont won without with willing will wife why value ut their tightening tried tracking tooo told today tipped times time tight using throughout through this think things they these there try trying twice two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under return retired limited next now notified nothing nonsense nonesence non no nice news months new needed need must multiple much moved move off offer offered offset our other original or options option opportunity opening opened ontario only oneday one once on ok often more monthly overpriced longer made luck loyalty lower lost losing loose looking long month lol locations location ll living live little limiting make makes making manservices monetary mom mistake mind might merge memberships membership members member medical means me maybe may married market outside own resume raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 20 | Coherence=-224709.27 | Top words= to price profiles greedy your pay shady offer tried cancel profit raised once charge like fact almost used starting also additional that after raising with year last is dont hikes issues sharing the for expected future prices limiting company summer of time tired playing games household subscribers play outside coming only single access financial unemployed use health better activities high caring caused charging again hacked get hand gf half girl give given had go goes going adding gone gonna good hacking guys got added greed great gotten gouging hackednot grandkids getting another gas family feet afford fees feel fee fault far fan fair adicional againlater agree alarming face extra extortion expensive expenses few addtional garbage forcing addition hard fuel from frequent free forth forever addresses fiance food focused flat fixed fix first financially finally happy he hardly jacking keeping keep justify just joint join job itself kept its it issue isnt isn account iny keeps kidding has left about life letting let lesser less legacy leave kids learning layoff later absurd laid acceptance lack intolerable into interested hike house hosehold horrible holder history hiking accounts higher instead acct her help everything having havent have households how huge hungry inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband all enough every bit cannot cancelling canceling amercian amount can amounts bye by but business buggin budget broke break boyfriend both cant card care cheaper college climbing climb city choose choice checking charges cared charged am changing changes changed change cell blindly bills combine billings barely bank back awhile annually away automatically aunt at as aren are apps aparently anyways anymore any be became because and an billing bill biggest biden biased biannually bf becoming between benefits benefit being begin before been already combining even delivering drain down double limit done don doesnt do divorce disgusts disgusting discontinue disappointed direction different differences didnt drastically drive due email euro especially entertainment entertaining anticonsumer end emails elsewhere duplicate else eliminating el edge easily earlier each deteriorated declined come decisions courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared covid credit creep dad death deal days day daughter date damn cutting currency cut customers customer allow currently allowed current youre loyal limited spouses stop stepdad stealing stay states started start squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger return taking thanks thank than terrible temporary temporarily taste talk take stupid system switching support success subscriptions subscription subscriber sub some so situation same seems see secure second scaling scales saving save run since rules rule rotating rising risen rise ripped right seen selection sense series significant signaling sign sight sick shoves shouldn should short she share several settled set servicio services service thats their there week where when whats what were went well weeks we vs way waste was warrant wants wanted want waiting while who why wife youll you yet years yearly yall ya wouldn would worth workable work wont won without willing will wait virtue these times try tracking town tooo too told today tipped tightening value tight throughout through this think things thing they trying twice two unable vaccine ut using uses users us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under ridiculous retiring little needed non no nice next news newest new never need nonsense my must multiple much moving moved move more nonesence not retired oneday original or options option opportunity opening opened ontario one nothing on ok often offset offered off now notified months monthly month loose makes make made luck loyalty lower lost losing looking money longer long lol locations location ll living live making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married other others our rate recent reason really reality reactivate re rather rates raises pricing raise quickly quality putting put pushed provider profits recently recession rectifying redo
Topic 21 | Coherence=-220699.61 | Top words= to my and the subscription different be will in use on want of ridiculous fee moved live change two anticonsumer country don won another where currency both locations location able addresses changed current spend money start us again there just for moving increasing losing accounts opening amount feet husband try prefer payday recent often gf coming all aren hackednot hardly good gonna everything gone has going hard goes go given give got every hacked gotten gouging happy hand grandkids half girl great greed greedy had guys hacking expensive gas getting added financial finally fiance few expenses fees feel fault first far fan family fair fact face extra financially fix get from extortion garbage games future have fuel expected frequent fixed free forth forever forcing food focused flat already higher havent iny kidding kept keeps keeping keep justify joint join job jacking itself its it issues issue isnt isn kids lack laid let about limit like absurd acceptance life letting lesser last less legacy left leave learning layoff later is intolerable having into acct household house hosehold horrible holder activities history hiking hikes hike euro high her help health he households how huge increases interested instead access inflation increments increasses account increased hungry increase income improvements im ill if idea even email especially cancel bye afford by but business buggin budget broke break boyfriend after blindly bit bills billings billing bill can canceling biden cancelling cheaper charging charges charged addtional charge changing changes adicional cell caused caring cared care card cant cannot biggest biased entertainment alarming aunt at as are apps aparently anyways anymore any allow allowed annually almost an amounts amercian am automatically away biannually awhile bf between better benefits benefit againlater being begin before been becoming because became agree barely bank back checking choice choose limiting dont done adding doesnt do divorce disgusts disgusting discontinue disappointed direction addition differences didnt deteriorated delivering declined double down city drain entertaining enough end emails also elsewhere else eliminating el edge easily earlier each duplicate due drive drastically decisions death deal days continually continously constantly constant consolidating consider connected compromised competitive compared company come combining combine college climbing climb continue continues continuous customers day daughter date damn dad cutting cut customer cost currently additional creep credit covid courtesy costs limited youre little spouses stop stepdad stealing stay states starting started squeeze spouse stopping spending span sorry soon son something someone some stopped stranger that take thank than terrible temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub so situation single saving selection seen seems see secure second scaling scales save since same run rules rule rotating rising risen rise sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thanks thats living way whats what were went well weeks week we waste while was warrant wants wanted waiting wait vs virtue when who their wouldn youll you yet years yearly year yall ya would why worth workable work wont without with willing wife value vaccine ut tightening tooo too told today tired tipped times time tight using throughout through this think things thing they these town tracking tried trying uses users used upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice ripped right return non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered ok retiring original own overpriced over outside out our others other or once options option opportunity opened ontario only oneday one must multiple much loyalty market many manservices making makes make made luck your move lower lost loose looking longer long lol ll married may maybe me more months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means owner owning pagos rate recently reason really reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recession rectifying redo reduce
Topic 22 | Coherence=-225350.13 | Top words= you to for that sharing guys pay dont want more from not and family so new just are make people stop services the do why making doesnt sense business well because they time resubscribe decisions loose charge something when forth needed raised it fee good need greed won put cant at with what adding got extra almost paying she allow warrant charging discontinue much cost several weeks take increasing really fees enough activities shady break users save hiking caring else means use workable agree were waste fixed food focused flat fix forcing keep first financially financial finally fiance few justify huge forever feet join free frequent job jacking itself fuel its issues issue future isnt joint keeping garbage entertainment everything every even euro later especially entertaining keeps layoff learning leave end emails email last expected expenses laid lack expensive extortion kids face fact fair kidding fan far fault kept feel games gas how help increase hike higher high increased her increases get health increasses he elsewhere havent have income hikes in improvements history im ill holder if idea horrible hosehold house husband household hungry households increments has hardly gouging getting gf girl give given isn go goes is going gone gonna iny gotten grandkids hard great intolerable greedy into interested hacked instead hackednot inflation hacking had half hand happy having youre eliminating biggest biased biannually bf between better benefits benefit being begin before been becoming became be barely bank back biden bill care billing cannot cancelling canceling cancel can bye by but buggin budget broke boyfriend both blindly bit bills billings awhile away automatically aunt againlater again after afford adicional addtional addresses additional addition added acct accounts account access acceptance absurd about alarming all allowed anticonsumer as aren apps aparently anyways anymore any another already annually an amounts amount amercian am also card cared el different didnt deteriorated delivering declined death deal days day daughter date damn dad cutting cut customers customer currently differences legacy caused direction edge easily earlier each duplicate due drive drastically drain down double done don divorce disgusts disgusting disappointed current currency creep credit combining combine college climbing climb city choose choice checking cheaper charges charged changing changes changed change cell come coming company continually covid courtesy country costs continuous continues continue continously compared constantly constant consolidating consider connected compromised competitive left loyal less sorry started start squeeze spouses spouse spending spend span soon repurposing son someone some situation single since significant signaling starting states stay stealing talk taking system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped stepdad sign sight sick run rule rotating rising risen rise ripped right ridiculous return retiring retired resume restriction restrict restart respect residence rules same shoves saving shouldn should short share settled set servicio service series selection seen seems see secure second scaling scales taste temporarily temporary whats week we way was wants wanted waiting wait vs virtue value vaccine ut using uses used us went where upping while youll yet years yearly year yall ya wouldn would worth work wont without willing will wife who upward upcoming terrible today tipped times tightening tight throughout through this think things thing these there their thats thanks thank than tired told up too until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried tracking town tooo reside replace lesser multiple no nice next news newest never my must moving rent moved move months monthly month money monetary moment non nonesence nonsense nothing opening opened ontario only oneday one once on ok often offset offered offer off of now notified mom mistake mind lost looking longer long lol locations location ll living live little limiting limited limit like life letting let losing lower might your merge memberships membership members member medical me maybe may married market many manservices makes made luck loyalty opportunity option options raises quickly quality putting pushed provider profits profit profiles problem pricing prices price president prescription prefer preemptively power raise raising por
Topic 23 | Coherence=-225429.74 | Top words= to with have price lost more the up forcing iny choice keeping shoves especially pop face just cut life continues make currently nice subscriber prices other back benefit so you is no your rise climb not expensive me anymore subscription for worth in costs better due high entertainment having these and fuel services damn on sight end bills gas dont yall job added mind between piracy trying like vaccine looking signaling my political get eliminating medical gf made monthly virtue death holder account go absurd how using raise may extortion last laid free frequent lack from kids future games garbage left extra kidding kept expenses expected everything every getting keeps even girl euro forth fault forever later feel far fees feet few fan family leave fiance fair give financial financially first fix fixed flat learning fact focused food layoff fee finally interested given house husband hungry huge households issue household hosehold if issues horrible it history hiking hikes idea isnt goes increasing instead into intolerable inflation increments increasses increases ill increased isn increase income improvements im hike higher its great hackednot hacked keep guys greedy greed grandkids her gouging got good gonna gone going justify hacking joint had half hand join happy hard hardly has havent jacking he health itself help gotten youre entertaining begin bill biggest biden biased biannually bf benefits being before automatically been becoming because became be barely bank awhile billing billings bit blindly card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both away aunt cared addresses alarming agree againlater again after afford adicional addtional additional at addition adding activities acct accounts access acceptance about all allow allowed almost as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already care caring enough deteriorated disgusts disgusting discontinue disappointed direction different differences didnt delivering customers declined decisions deal days day daughter date dad divorce do doesnt don emails email elsewhere else el edge easily earlier each duplicate drive drastically drain down double less done cutting customer caused cheaper come combining combine college climbing city choose checking charging current charges charged charge changing changes changed change cell coming company compared competitive currency creep credit covid courtesy country cost continuous continue continually continously constantly constant consolidating consider connected compromised legacy loyal lesser start stopped stop stepdad stealing stay states starting started squeeze thats spouses spouse spending spend span sorry soon son stopping stranger stupid sub thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers something someone some selection seems see secure second scaling scales saving save same run rules rule rotating rising risen ripped right seen sense situation series single since significant sign sick shouldn should short she sharing share shady several settled set servicio service that their return way whats what were went well weeks week we waste there was warrant wants wanted want waiting wait vs when where while who youll yet years yearly year ya wouldn would workable work wont won without willing will wife why value ut uses tracking tooo too told today tired tipped times time tightening tight throughout through this think things thing they town tried users try used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous retiring let next off of now notified nothing nonsense nonesence non news overpriced newest new never needed need must multiple much offer offered offset often outside out our others original or options option opportunity opening opened ontario only oneday one once ok moving moved move makes loyalty lower losing loose longer long lol locations location ll living live little limiting limited limit letting luck making months manservices month money monetary moment mom mistake might merge memberships membership members member means maybe married market many over own retired rate recent reason really reality reactivate re rather rates raising owner raises raised quickly quality putting put pushed provider recently recession rectifying
Topic 24 | Coherence=-219776.21 | Top words= my subscription has with already in an are one someone kids putting made into husband between he bf choose moving hacked other expensive was activities this price or have family the it that got subscriptions wife increase moved by now same her used daughter who today residence notified married being own at stranger back spouse hacking stepdad unable joint currently budget reside acct newest benefits date future keeps next week rates duplicate raising good games gotten given gonna garbage gas get gone getting gf girl give going goes go fuel youre from fee far fan fair fact face extra extortion expenses expected everything every even euro especially entertainment entertaining enough fault feel frequent fees free forth forever forcing for food focused flat fixed fix first financially financial finally fiance few feet gouging health grandkids isn job jacking itself its issues issue isnt is great iny intolerable interested instead inflation increments increasses join just justify keep let lesser less legacy left leave learning layoff later last laid lack kidding kept keeping increasing increases increased hike high help emails having havent hardly hard happy hand half had hackednot guys greedy greed higher hikes income hiking improvements im ill if idea hungry huge how households household house hosehold horrible holder history end dont email benefit billings billing bill biggest biden biased biannually better begin away before been becoming because became be barely bank bills bit blindly both caring cared care card cant cannot cancelling canceling cancel can bye but business buggin broke break boyfriend awhile automatically elsewhere additional agree againlater again after afford adicional addtional addresses addition aunt adding added accounts account access acceptance absurd about alarming all allow allowed as aren apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also almost caused cell change declined discontinue disappointed direction different differences didnt deteriorated delivering decisions changed death deal days day damn dad cutting cut disgusting disgusts divorce do else eliminating el edge easily earlier each due drive drastically drain down double life done don doesnt customers customer current compared coming come combining combine college climbing climb city choice checking cheaper charging charges charged charge changing changes company competitive currency compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected letting loyal like spouses stop stealing stay states starting started start squeeze spending single spend span sorry soon son something some so stopped stopping stupid sub thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber situation since their save seen seems see secure second scaling scales saving run significant rules rule rotating rising risen rise ripped right selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thats there return way when whats what were went well weeks we waste vaccine warrant wants wanted want waiting wait vs virtue where while why will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing value ut these times tracking town tooo too told to tired tipped time using tightening tight throughout through think things thing they tried try trying twice uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two ridiculous retiring limit never not nonsense nonesence non no nice news new needed money need must multiple much move more months monthly nothing of off offer our others original options option opportunity opening opened ontario only oneday once on ok often offset offered month monetary outside long loyalty your lower lost losing loose looking longer lol moment locations location ll living live little limiting limited luck make makes making mom mistake mind might merge memberships membership members member medical means me maybe may market many manservices out over retired raise really reality reactivate re rather rate raises raised quickly prices quality put pushed provider profits profit profiles problem reason recent recently recession
Topic 25 | Coherence=-225162.00 | Top words= you and re charge my for going your is extra anyways sign in uses me she college to ut bye thank when it daughter no worth good kids more pay that intolerable unfair another city live price ridiculous this kidding profits card afford cant raises history month throughout care declined we keep anticonsumer allow much short only once willing alarming games gas get garbage youre getting gf greedy greed great grandkids gouging gotten got gonna gone goes go fuel given give girl future first from frequent fan family fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough far fault fee fixed free forth forever forcing food focused flat fix feel financially financial finally fiance few feet fees guys her hacked hackednot joint join job jacking itself its issues issue isnt isn iny into interested instead inflation increments increasses just justify keeping left like life letting let lesser less legacy leave keeps learning layoff later last laid lack kept increasing increases increased have high emails help health he having havent has hike hardly hard happy hand half had hacking higher hikes increase hungry income improvements im ill if idea husband huge hiking how households household house hosehold horrible holder end dont email being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing elsewhere business cared cannot cancelling canceling cancel can by but buggin billings budget broke break boyfriend both blindly bit bills back awhile away adding againlater again after adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about agree all allowed almost aunt at as aren are apps aparently anymore any annually an amounts amount amercian am also already caring caused cell delivering disgusting discontinue disappointed direction different differences didnt deteriorated decisions customers death deal days day date damn dad cutting disgusts divorce do doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double limited done don cut customer change choose compared company coming come combining combine climbing climb choice currently checking cheaper charging charges charged changing changes changed competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating limit loyal limiting squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger return system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub someone some so save seen seems see secure second scaling scales saving same situation run rules rule rotating rising risen rise ripped selection sense series service single since significant signaling sight sick shoves shouldn should sharing share shady several settled set servicio services thanks thats the waste whats what were went well weeks week way was vaccine warrant wants wanted want waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would workable work wont won without with will wife value using their time town tooo too told today tired tipped times tightening users tight through think things thing they these there tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice right retiring little nice of now notified nothing not nonsense nonesence non next offer news newest new never needed need must multiple off offered retired option outside out our others other original or options opportunity offset opening opened ontario oneday one on ok often moving moved move losing making makes make made luck loyalty lower lost loose months looking longer long lol locations location ll living manservices many market married monthly money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may over overpriced own raising recent reason really reality reactivate rather rates rate raised problem raise quickly quality putting put pushed provider profit recently recession rectifying redo
Topic 26 | Coherence=-219164.24 | Top words= is not this when it enough about my that to prices but greedy up re being pay high means hiking were leave understand wouldn cared begin compromised us was what bank told ll if only keep after without do with because just so bill automatically of going times ill amount charged started allowed option afford credit think be way have anyways often spending email payment two increasing climbing give even family financial given go euro finally goes fiance few gone especially entertainment entertaining gonna feet fan end fees good far got gotten gouging grandkids great greed feel fee every girl fact everything food for forcing face extra forever forth free extortion frequent expensive focused fair flat expenses from fault fixed future fix first games financially garbage gas get getting gf expected fuel hikes guys issue joint join job jacking itself its issues isnt hacked isn iny intolerable into interested instead inflation justify keeping keeps kept life letting let lesser less legacy left learning layoff later last laid lack kids kidding increments increasses increases hike her help health he having havent has hardly hard happy hand half had hacking hackednot higher history increased holder increase income in improvements im idea husband hungry huge how households household house hosehold horrible emails youre elsewhere between bills billings billing biggest biden biased biannually bf better else benefits benefit before been becoming became barely back bit blindly both boyfriend caused caring care card cant cannot cancelling canceling cancel can bye by business buggin budget broke break awhile away aunt all agree againlater again adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd alarming allow at almost as aren are apps aparently anymore any anticonsumer another annually and an amounts amercian am also already cell change changed disgusts discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn disgusting divorce cutting limit eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt dad cut changes connected compared company coming come combining combine college climb city choose choice checking cheaper charging charges charge changing competitive consider customers consolidating customer currently current currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant like loyal limited soon starting start squeeze spouses spouse spend span sorry son stay something someone some situation single since significant signaling states stealing resubscribe subscriptions talk taking take system switching support summer success subscription stepdad subscribers subscriber sub stupid stranger stopping stopped stop sign sight sick rotating scaling scales saving save same run rules rule rising shoves risen rise ripped right ridiculous return retiring retired second secure see seems shouldn should short she sharing share shady several settled set servicio services service series sense selection seen taste temporarily temporary wants whats went well weeks week we waste warrant wanted uses want waiting wait vs virtue value vaccine ut where while who why youll you yet years yearly year yall ya would worth workable work wont won willing will wife using users terrible thing tired tipped time tightening tight throughout through things they used these there their the thats thanks thank than today too tooo town use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable twice trying try tried tracking resume restriction limiting never nonesence non no nice next news newest new needed nothing need must multiple much moving moved move more nonsense notified restrict ontario others other original or options opportunity opening opened oneday now one once on ok offset offered offer off months monthly month loose make made luck loyalty your lower lost losing looking money longer long lol locations location living live little makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical me maybe may married market our out outside quickly reactivate rather rates rate raising raises raised raise quality price putting put pushed provider profits profit profiles problem reality really reason recent
Topic 27 | Coherence=-226546.23 | Top words= price your many access you and subscription why am luck increments checking greed good canceling too now the will where is we be anymore keep how increase share their tracking raising not they us people return letting budget for againlater tightening ill wait much few months tried absurd fair to break happy trying policies youre same get entertaining given give girl gf getting fiance future entertainment especially euro garbage even every gas go enough goes going gone gonna end got gotten emails email gouging grandkids great elsewhere else games everything finally far financial feet financially fees guys first fix feel fixed flat fee focused food fault fan fuel family fact face forcing forever extra extortion forth free expensive expenses frequent expected from greedy higher hacked hackednot just joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead justify keeping keeps leave like life let lesser less legacy left learning kept layoff later last laid lack kids kidding inflation increasses increasing havent el high her help health he having have hikes has hardly hard hand half had hacking hike hiking increases husband increased income in improvements im if idea hungry history huge households household house hosehold horrible holder eliminating doesnt edge being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank back biggest billing easily by care card cant cannot cancelling cancel can bye but billings business buggin broke boyfriend both blindly bit bills awhile away automatically additional alarming agree again after afford adicional addtional addresses addition aunt adding added activities acct accounts account acceptance about all allow allowed almost at as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian also already cared caring caused days differences didnt deteriorated delivering declined decisions death deal day current daughter date damn dad cutting cut customers customer different direction disappointed discontinue earlier each duplicate due drive drastically drain down double dont done don limited do divorce disgusts disgusting currently currency cell choice come combining combine college climbing climb city choose cheaper creep charging charges charged charge changing changes changed change coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limit loyal limiting span starting started start squeeze spouses spouse spending spend sorry stay soon son something someone some so situation single states stealing temporary success taste talk taking take system switching support summer subscriptions stepdad subscribers subscriber sub stupid stranger stopping stopped stop since significant signaling rule secure second scaling scales saving save run rules rotating sign rising risen rise ripped right ridiculous retiring retired see seems seen selection sight sick shoves shouldn should short she sharing shady several settled set servicio services service series sense temporarily terrible little was what were went well weeks week way waste warrant when wants wanted want waiting vs virtue value vaccine whats while than would youll yet years yearly year yall ya wouldn worth who workable work wont won without with willing wife ut using uses this today tired tipped times time tight throughout through think users things thing these there thats that thanks thank told tooo town try used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume resubscribe restriction news notified nothing nonsense nonesence non no nice next newest off new never needed need my must multiple moving of offer restrict opened others other original or options option opportunity opening ontario offered only oneday one once on ok often offset moved move more loose making makes make made loyalty lower lost losing looking monthly longer long lol locations location ll living live manservices market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe our out outside quickly reactivate re rather rates rate raises raised raise quality prices putting put pushed provider profits profit profiles problem reality really reason recent
 58%|█████▊    | 28/48 [1:28:02<1:29:41, 269.05s/it]
Topic 28 | Coherence=-234946.76 | Top words= other better only services people raising prices reason gonna kept keep cheaper so for im youre subscription out your using was if charge charging and now are the extra that you it one need subscriptions dont in with have price two moved more we house goes anymore tipped direction finally scales significant than continually boyfriend offer selection households an household lesser added needed has others stepdad combine aparently multiple our remarried merge increases my wants same to idea discontinue addition gf expected getting expenses girl expensive get feel given everything every even give euro especially entertainment go going gone entertaining gas forever garbage games fee fees feet few fiance financial financially first fault fix got far fixed fan flat family focused fair food forcing forth free frequent from fact fuel future face extortion good hardly gotten iny itself its issues issue isnt isn is intolerable gouging into interested instead inflation increments increasses increasing jacking job join joint legacy left leave learning layoff later last laid lack kids kidding keeps keeping justify just increased increase income he havent end hard happy hand half had hacking hackednot hacked guys greedy greed great grandkids having health improvements help ill husband hungry huge how hosehold horrible holder history hiking hikes hike higher high her enough don emails being biggest biden biased biannually bf between benefits benefit begin awhile before been becoming because became be barely bank bill billing billings bills cant cannot cancelling canceling cancel can bye by but business buggin budget broke break both blindly bit back away care additional agree againlater again after afford adicional addtional addresses adding automatically activities acct accounts account access acceptance absurd about alarming all allow allowed aunt at as aren apps anyways any anticonsumer another annually amounts amount amercian am also already almost card cared email death disappointed different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disgusting disgusts divorce do elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double done doesnt customers currently caring choice coming come combining college climbing climb city choose checking current charges charged changing changes changed change cell caused company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected less loyal let squeeze stopped stop stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopping stranger stupid sub thats thanks thank terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber someone situation letting rules seems see secure second scaling saving save run rule single rotating rising risen rise ripped right ridiculous return seen sense series service since signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio their there these week where when whats what were went well weeks way they waste warrant wanted want waiting wait vs virtue while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value vaccine ut try tracking town tooo too told today tired times time tightening tight throughout through this think things thing tried trying uses twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring retired resume must non no nice next news newest new never much outside moving move months monthly month money monetary moment nonesence nonsense not nothing or options option opportunity opening opened ontario oneday once on ok often offset offered off of notified mom mistake mind lower losing loose looking longer long lol locations location ll living live little limiting limited limit like life lost loyalty might luck memberships membership members member medical means me maybe may married market many manservices making makes make made original over resubscribe quickly reactivate re rather rates rate raises raised raise quality overpriced putting put pushed provider profits profit profiles problem reality really recent
Average topic coherence for the top words is -225452.3620256506
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.43it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.40it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.39it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.35it/s]
 10%|█         | 5/50 [00:00<00:08,  5.35it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.41it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.37it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.33it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.33it/s]
 20%|██        | 10/50 [00:01<00:07,  5.35it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.37it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.35it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.37it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.38it/s]
 30%|███       | 15/50 [00:02<00:06,  5.38it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.37it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.38it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.35it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.33it/s]
 40%|████      | 20/50 [00:03<00:05,  5.34it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.36it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.37it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.37it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.38it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.39it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.36it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.38it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.37it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.38it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.39it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.36it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.36it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.40it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.39it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.38it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.32it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.33it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.36it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.37it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.39it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.38it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.37it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.40it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.39it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.39it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.39it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.37it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.39it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.39it/s]
100%|██████████| 50/50 [00:09<00:00,  5.37it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.76it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.70it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.71it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.73it/s]
 10%|█         | 5/50 [00:00<00:06,  6.66it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.65it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.64it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.65it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.63it/s]
 20%|██        | 10/50 [00:01<00:06,  6.65it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.66it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.66it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.66it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.66it/s]
 30%|███       | 15/50 [00:02<00:05,  6.68it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.67it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.62it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.61it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.61it/s]
 40%|████      | 20/50 [00:03<00:04,  6.63it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.65it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.66it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.65it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.65it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.64it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.68it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.69it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.69it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.69it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.69it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.67it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.66it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.67it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.67it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.66it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.66it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.68it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.66it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.61it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.60it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.61it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.64it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.66it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.66it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.64it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.66it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.66it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.68it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.68it/s]
100%|██████████| 50/50 [00:07<00:00,  6.66it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.51it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.55it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.55it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.55it/s]
 10%|█         | 5/50 [00:01<00:12,  3.55it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.56it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.58it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.57it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.57it/s]
 20%|██        | 10/50 [00:02<00:11,  3.56it/s]
 22%|██▏       | 11/50 [00:03<00:10,  3.56it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.57it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.55it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.55it/s]
 30%|███       | 15/50 [00:04<00:09,  3.55it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.54it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.56it/s]
 36%|███▌      | 18/50 [00:05<00:08,  3.56it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.53it/s]
 40%|████      | 20/50 [00:05<00:08,  3.53it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.53it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.56it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.55it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.57it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.57it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.57it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.57it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.58it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.59it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.57it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.57it/s]
 64%|██████▍   | 32/50 [00:08<00:05,  3.58it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.56it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.55it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.56it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.57it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.56it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.53it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.55it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.55it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.56it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.56it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.57it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.56it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.56it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.55it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.57it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.57it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.58it/s]
100%|██████████| 50/50 [00:14<00:00,  3.56it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.76it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.74it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.75it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.75it/s]
 10%|█         | 5/50 [00:01<00:16,  2.72it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.73it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.73it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.74it/s]
 18%|█▊        | 9/50 [00:03<00:14,  2.75it/s]
 20%|██        | 10/50 [00:03<00:14,  2.75it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.75it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.75it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.75it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.74it/s]
 30%|███       | 15/50 [00:05<00:12,  2.75it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.75it/s]
 34%|███▍      | 17/50 [00:06<00:11,  2.75it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.76it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.74it/s]
 40%|████      | 20/50 [00:07<00:10,  2.74it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.75it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.74it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.73it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.74it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.74it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.74it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.74it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.73it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.73it/s]
 60%|██████    | 30/50 [00:10<00:07,  2.74it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.74it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.75it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.74it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.73it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.74it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.75it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.75it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.75it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.75it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.74it/s]
 82%|████████▏ | 41/50 [00:14<00:03,  2.74it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.75it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.75it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.74it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.75it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.74it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.75it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.74it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.74it/s]
100%|██████████| 50/50 [00:18<00:00,  2.74it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.82it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.83it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.83it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.82it/s]
 10%|█         | 5/50 [00:02<00:24,  1.82it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.82it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.82it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.81it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.81it/s]
 20%|██        | 10/50 [00:05<00:22,  1.81it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.81it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.81it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.82it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.81it/s]
 30%|███       | 15/50 [00:08<00:19,  1.81it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.81it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.81it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.81it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.81it/s]
 40%|████      | 20/50 [00:11<00:16,  1.81it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.81it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.80it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.80it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.80it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.80it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.81it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.81it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.81it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.81it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.81it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.81it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.81it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.80it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.81it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.82it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.81it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.81it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.82it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.81it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.81it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.81it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.81it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.81it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.81it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.81it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.81it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.81it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.81it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.82it/s]
100%|██████████| 50/50 [00:27<00:00,  1.81it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.68it/s]
Topic 0 | Coherence=-220449.42 | Top words= the increase subscription you about of with customer even your idea do service rate customers care my being when garbage using limit will like budget states bill outside was used news tightening return againlater between users issues stranger power lol sick off by loyal ripped personal how since after horrible expected have awhile currently now charges joint fair got girl good gouging grandkids fuel great gotten future gonna gone gf going games gas goes from given get give getting go focused frequent fault fan family fact face extra extortion expensive expenses everything every euro especially entertainment entertaining enough end emails far fee free feel forth forever forcing for food greedy flat fixed fix first financially financial finally fiance few feet fees greed he guys increments justify just join job jacking itself its it issue isnt isn is iny intolerable into interested instead keep keeping keeps leave life letting let lesser less legacy left learning kept layoff later last laid lack kids kidding inflation increasses hacked increasing higher high her help health elsewhere having havent has hardly hard happy hand half had hacking hackednot hike hikes hiking if increases increased income in improvements im ill husband history hungry huge households household house hosehold holder email done else been biased biannually bf better benefits benefit begin before becoming at because became be barely bank back away automatically biden biggest billing billings cant cannot cancelling canceling cancel can bye but business buggin broke break boyfriend both blindly bit bills aunt as cared addition alarming agree again afford adicional addtional addresses additional adding aren added activities acct accounts account access acceptance absurd all allow allowed almost are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already card caring eliminating death direction different differences didnt deteriorated delivering declined decisions deal currency days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double dont limiting don doesnt divorce current creep caused checking combining combine college climbing climb city choose choice cheaper credit charging charged charge changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limited youre little spouses stop stepdad stealing stay starting started start squeeze spouse stopping spending spend span sorry soon son something someone stopped stupid thats taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some so situation same seems see secure second scaling scales saving save run single rules rule rotating rising risen rise right ridiculous seen selection sense series significant signaling sign sight shoves shouldn should short she sharing share shady several settled set servicio services that their retired waste what were went well weeks week we way warrant where wants wanted want waiting wait vs virtue value whats while there would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing wife why vaccine ut uses time tooo too told today to tired tipped times tight use throughout through this think things thing they these town tracking tried try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retiring resume live newest nothing not nonsense nonesence non no nice next new offer never needed need must multiple much moving moved notified offered over opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often move more months lost manservices making makes make made luck loyalty lower losing monthly loose looking longer long locations location ll living many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe out overpriced resubscribe raise reality reactivate re rather rates raising raises raised quickly reason quality putting put pushed provider profits profit profiles really recent own rent restriction
Topic 1 | Coherence=-217129.24 | Top words= price to sharing hikes subscription and of so that hike expensive increase it limited recent acceptance bye talk reality an lack profiles issues future newest change many expected pay others compared switching is cheaper automatically euro stopping card allowed currency wanted in few yearly boyfriend much credit prefer your told absurd compromised do without bill charged option changing cost loyal into looking forcing face goes going gone gonna far fan family good got gotten fair fact gouging extra fault extortion expenses everything grandkids great every even especially greed greedy guys go fee hacked feel forth free for food frequent focused from fuel flat games garbage fixed fix gas first financially financial finally get getting fiance gf girl feet fees give given forever he hackednot hacking keeping keep justify just joint join job jacking itself its issue isnt isn iny intolerable interested instead keeps kept kidding less limiting limit like life letting let lesser legacy kids left leave learning layoff later last laid inflation increments increasses havent higher high her help health entertaining having have history has hardly hard happy hand half had hiking holder increasing idea increases increased income improvements im ill if husband horrible hungry huge how households household house hosehold entertainment drain enough begin biased biannually bf between better benefits benefit being before away been becoming because became be barely bank back biden biggest billing billings cant cannot cancelling canceling cancel can by but business buggin budget broke break both blindly bit bills awhile aunt cared additional agree againlater again after afford adicional addtional addresses addition at adding added activities acct accounts account access about alarming all allow almost as aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already care caring end didnt divorce disgusts disgusting discontinue disappointed direction different differences deteriorated damn delivering declined decisions death deal days day daughter doesnt don done dont emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically live down double date dad caused city company coming come combining combine college climbing climb choose cutting choice checking charging charges charge changes changed cell competitive connected consider consolidating cut customers customer currently current creep covid courtesy country costs continuous continues continue continually continously constantly constant little youre living started stranger stopped stop stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber something temporary there their the thats thanks thank than terrible temporarily subscribers taste taking take system support summer success subscriptions son someone ll scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services some shoves situation single since significant signaling sign sight sick shouldn servicio should short she share shady several settled set these they thing we when whats what were went well weeks week way while waste was warrant wants want waiting wait vs where who things would youll you yet years year yall ya wouldn worth why workable work wont won with willing will wife virtue value vaccine tired trying try tried tracking town tooo too today tipped ut times time tightening tight throughout through this think twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise ripped right no off now notified nothing not nonsense nonesence non nice offered next news new never needed need my must offer offset own opportunity over outside out our other original or options opening often opened ontario only oneday one once on ok multiple moving moved loyalty married market manservices making makes make made luck lower move lost losing loose longer long lol locations location may maybe me means more months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical overpriced owner ridiculous rate recession recently reason really reactivate re rather rates raising redo raises raised raise quickly quality putting put pushed rectifying reduce owning respect return
Topic 2 | Coherence=-228310.12 | Top words= you that to pay for are the me not want only fact sharing extra if it bye again this raised consider forever reactivate issue email just rectifying makes give will come your never people months back almost good prices guys offer better charging stop subscriptions services cancel reason tried they because from rates kept family shady something other gonna others used won like workable lesser system after also allow monthly eliminating new caused stupid bills card continue charge city enough well households food frequent free forth kidding forcing kids focused keeping flat fixed fix first financially keeps fuel finally future games garbage keep gas justify get getting gf joint girl given join financial fiance how expenses entertaining entertainment less legacy left especially leave euro learning even every everything layoff expected expensive few extortion later face last fair laid fan far fault lack fee feel fees feet job go goes high increasing have increases havent increased increase he health income help in her improvements im ill going higher hike idea husband hikes hiking history hungry holder horrible hosehold house huge household has hardly increasses hard gone jacking itself its issues got gotten gouging grandkids great isnt greed greedy isn is iny intolerable hacked hackednot hacking had into interested half hand instead inflation happy increments having youre end being biggest biden biased biannually bf between benefits benefit begin emails before been becoming became be barely bank awhile bill billing billings bit cared care cant cannot cancelling canceling can by but business buggin budget broke break boyfriend both blindly away automatically aunt alarming againlater afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all at allowed as aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am already caring cell change divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date disgusts do dad doesnt elsewhere else el edge easily earlier each duplicate due drive drastically drain down double dont done let damn cutting changed connected competitive compared company coming combining combine college climbing climb choose choice checking cheaper charges charged changing changes compromised consolidating cut constant customers customer currently current currency creep credit covid courtesy country costs cost continuous continues continually continously constantly don loyal letting spouse stealing stay states starting started start squeeze spouses spending single spend span sorry soon son someone some so stepdad stopped stopping stranger thank than terrible temporary temporarily taste talk taking take switching support summer success subscription subscribers subscriber sub situation since life rules secure second scaling scales saving save same run rule significant rotating rising risen rise ripped right ridiculous return see seems seen selection signaling sign sight sick shoves shouldn should short she share several settled set servicio service series sense thanks thats their waste whats what were went weeks week we way was there warrant wants wanted waiting wait vs virtue value when where while who youll yet years yearly year yall ya wouldn would worth work wont without with willing wife why vaccine ut using try town tooo too told today tired tipped times time tightening tight throughout through think things thing these tracking trying uses twice users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring retired resume need nonesence non no nice next news newest needed my our must multiple much moving moved move more month nonsense nothing notified now or options option opportunity opening opened ontario oneday one once on ok often offset offered off of money monetary moment luck lower lost losing loose looking longer long lol locations location ll living live little limiting limited limit loyalty made mom make mistake mind might merge memberships membership members member medical means maybe may married market many manservices making original out resubscribe putting re rather rate raising raises raise quickly quality put outside pushed provider profits profit profiles problem pricing price reality really recent
Topic 3 | Coherence=-220043.09 | Top words= back will be to break taking money have and when my get got month just due need ll prices can we cut with losing off job laid bit gas come high rejoin saving later in on of once cannot for multiple moving but feet users the these settled another piracy time trying broke stopped temporarily cancelling divorce billings awhile payment might monetary move repurposing week future platform food join may inflation resume own payday summer layoff combining must declined hikes ontario into less bills happy half had hacking hackednot hacked guys greedy greed amounts great grandkids gouging gotten an good hand hard gone hardly allowed almost higher already her help health also am he having havent amercian amount has gonna annually at frequent forth forever forcing are aren focused flat fixed fix first financially financial finally as fiance free from going fuel anticonsumer goes go given give girl gf any getting anymore anyways aparently garbage games apps hike allow hiking account joint acct activities jacking itself its it issues issue isnt isn is added iny intolerable accounts justify history keep legacy left leave learning about absurd last acceptance lack access kids kidding kept keeps keeping adding interested instead addition againlater agree alarming all idea husband hungry huge how households household house hosehold horrible holder if again ill increase increments increasses increasing additional increases increased income after addresses addtional adicional afford improvements im few fees billing consider compromised competitive compared company coming been before combine college climbing climb city choose choice checking connected consolidating cheaper constant current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly begin charging feel between cancel bf bye biannually by biased biden business buggin budget biggest bill boyfriend both blindly canceling better charges cant charged charge changing changes changed change being cell caused caring cared benefit care card benefits currently customer customers especially entertaining enough end emails email elsewhere else aunt eliminating el edge easily automatically earlier each entertainment euro becoming even fee fault far fan family fair fact face extra extortion expensive expenses expected everything every duplicate away drive drastically didnt deteriorated delivering became decisions death deal days day daughter date damn dad cutting because barely differences different don drain lesser down double dont done doesnt direction do bank disgusts disgusting discontinue disappointed youre loyal let squeeze stop stepdad stealing stay states starting started start spouses their spouse spending spend span sorry soon son something stopping stranger stupid sub that thanks thank than terrible temporary taste talk take system switching support success subscriptions subscription subscribers subscriber someone some so service sense selection seen seems see secure second scaling scales save same run rules rule rotating rising risen series services situation servicio single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several set thats there ripped waste where whats what were went well weeks way was they warrant wants wanted want waiting wait vs virtue while who why wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing value vaccine ut try tracking town tooo too told today tired tipped times tightening tight throughout through this think things thing tried twice using two uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable rise right letting next notified nothing not nonsense nonesence non no nice news overpriced newest new never needed much moved more months now offer offered offset outside out our others other original or options option opportunity opening opened only oneday one ok often monthly moment mom loyalty lower lost loose looking longer long lol locations location living live little limiting limited limit like life your luck mistake made mind merge memberships membership members member medical means me maybe married market many manservices making makes make over owner ridiculous rate recent reason really reality reactivate re rather rates raising owning raises raised raise quickly quality putting put pushed recently recession rectifying
Topic 4 | Coherence=-235781.59 | Top words= and increasing long going it customer rates we keep for subscriber keeps at up only like prices loyalty alarming feel is there time no price will you benefits nonsense changing been just away too don passed this on the went am fixed income quality account with cost had or oneday earlier has service she have sorry down since my paying terrible mom use non subscriptions stop retired hardly users parent constant owning temporarily climbing fee set membership scaling owner person services of who sharing much drive need annually help give garbage girl gf future getting get games gas youre fuel expenses family fair fact face extra extortion expensive expected far everything every even euro especially entertainment entertaining fan fault from flat frequent free forth forever forcing food focused given fees first financially financial finally fiance few feet fix happy go increases intolerable into interested instead inflation increments increasses increased isn increase in improvements im ill if idea iny isnt goes keeping later last laid lack kids kidding kept justify issue joint join job jacking itself its issues husband hungry huge greed hand half hacking hackednot hacked guys greedy great how grandkids gouging gotten got good gonna gone end hard havent having households household house hosehold horrible holder history hiking hikes hike higher high her health he enough disgusts emails benefit bill biggest biden biased biannually bf between better being awhile begin before becoming because became be barely bank billing billings bills bit cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly back automatically care addition againlater again after afford adicional addtional addresses additional adding aunt added activities acct accounts access acceptance absurd about agree all allow allowed as aren are apps aparently anyways anymore any anticonsumer another an amounts amount amercian also already almost card cared email death direction different differences didnt deteriorated delivering declined decisions deal currently days day daughter date damn dad cutting cut disappointed discontinue disgusting learning elsewhere else eliminating el edge easily each duplicate due drastically drain double dont done doesnt do divorce customers current caring cheaper combining combine college climb city choose choice checking charging currency charges charged charge changes changed change cell caused come coming company compared creep credit covid courtesy country costs continuous continues continue continually continously constantly consolidating consider connected compromised competitive layoff loyal leave stepdad stay states starting started start squeeze spouses spouse spending spend span soon son something someone some so stealing stopped single stopping thank than temporary taste talk taking take system switching support summer success subscription subscribers sub stupid stranger situation significant that second saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring resume resubscribe scales secure signaling see sign sight sick shoves shouldn should short share shady several settled servicio series sense selection seen seems thanks thats left where whats what were well weeks week way waste was warrant wants wanted want waiting wait vs virtue when while vaccine why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife value ut their tried town tooo told today to tired tipped times tightening tight throughout through think things thing they these tracking try using trying uses used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice restriction restrict restart news new never needed must multiple moving moved move more months monthly month money monetary moment mistake mind newest next merge nice opportunity opening opened ontario one once ok often offset offered offer off now notified nothing not nonesence might memberships respect loose longer lol locations location ll living live little limiting limited limit life letting let lesser less legacy looking losing members lost member medical means me maybe may married market many manservices making makes make made luck your lower option options original reactivate rather rate raising raises raised raise quickly putting put pushed provider profits profit profiles problem pricing president re reality
Topic 5 | Coherence=-233289.77 | Top words= you and for the extra charge subscription sharing my are family will greedy youre no different charging an to too taste extortion pay disgusting its with im new if about longer newest more that raising hike fee keep greed but from loose share support parents increase enough charges bill people justify value cost elsewhere me got what waste can cant terrible declined unable card saving opportunity dad this stupid now under free layoff forcing forever food focused flat forth laid frequent getting kids goes go given give girl gf get later gas lack garbage games future fuel last fixed increments fix every less lesser expensive let expenses expected everything even first euro especially entertainment entertaining letting end emails face fact fair legacy financially gone financial finally fiance few feet fees feel learning leave fault far left fan going grandkids gonna household isn isnt how issue households issues house hungry hosehold horrible holder history hiking hikes huge husband kidding in increasing increases inflation increased instead income improvements is interested into ill intolerable idea iny it higher high keeping joint hacking just hackednot hacked guys keeps her great increasses gouging gotten kept good had half hand happy join hard hardly job has have havent jacking email he health help itself having do else becoming between better benefits benefit being begin before been because cannot became be barely bank back awhile away automatically bf biannually biased biden canceling cancel bye by business buggin budget broke break boyfriend both blindly bit bills billings billing biggest aunt at as agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd againlater alarming aren all apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost allowed allow cancelling care eliminating days direction differences didnt deteriorated delivering decisions death deal day cared daughter date damn cutting cut customers customer currently disappointed discontinue disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt like current currency creep come combine college climbing climb city choose choice checking cheaper charged changing changes changed change cell caused caring combining coming credit company covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared life loyal limit span starting started start squeeze spouses spouse spending spend sorry stay soon son something someone some so situation single states stealing limited summer than temporary temporarily talk taking take system switching success stepdad subscriptions subscribers subscriber sub stranger stopping stopped stop since significant signaling rotating second scaling scales save same run rules rule rising sign risen rise ripped right ridiculous return retiring retired secure see seems seen sight sick shoves shouldn should short she shady several settled set servicio services service series sense selection thank thanks thats way when whats were went well weeks week we was ut warrant wants wanted want waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife vaccine using their tightening town tooo told today tired tipped times time tight uses throughout through think things thing they these there tracking tried try trying users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand two twice resume resubscribe restriction news notified nothing not nonsense nonesence non nice next never monthly needed need must multiple much moving moved move of off offer offered others other original or options option opening opened ontario only oneday one once on ok often offset months month out looking make made luck loyalty your lower lost losing long money lol locations location ll living live little limiting makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market our outside restrict quickly reactivate re rather rates rate raises raised raise quality prices putting put pushed provider profits profit profiles problem reality really reason recent
Topic 6 | Coherence=-221778.25 | Top words= it afford can this at to now will anymore time cant pay not right but job using when inflation lost by caused too thanks president biden due willing bank high way being resume price support opportunity won every month re changing thats done think my declined start apps other again vaccine rising interested costs recession want card just tight of until year trying for forth forever forcing food frequent focused flat fixed fix first financially financial free increments from finally gonna gone going goes go laid given give girl gf getting get gas garbage games future last fuel feet fiance lesser legacy expenses expected everything less even euro especially few entertainment let entertaining enough end emails email expensive extortion left extra got fees later feel layoff learning fee fault leave far fan family fair fact face good great gotten is how isn households household isnt house hosehold horrible issue issues holder history hiking hikes its huge hungry gouging iny increasing increases increased instead into increase income in improvements im ill if idea intolerable husband hike higher itself jacking hand half kept kidding had hacking hackednot hacked kids guys lack greedy greed increasses grandkids happy hard keeps health join joint her justify help elsewhere he hardly having havent keep keeping have has youre divorce else biggest biannually bf between better benefits benefit begin before been becoming because became be barely back awhile away biased bill aunt billing care cannot cancelling canceling cancel bye business buggin budget broke break boyfriend both blindly bit bills billings automatically as caring alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all aren allow are aparently anyways any anticonsumer another annually and an amounts amount amercian am also already almost allowed cared cell eliminating disappointed different differences didnt deteriorated delivering decisions death deal days day daughter date damn dad cutting cut customers direction discontinue currently disgusting el edge easily earlier each duplicate drive drastically drain down double dont don doesnt do life disgusts customer current change company come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changes changed coming compared currency competitive creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised letting loyal like soon started squeeze spouses spouse spending spend span sorry son sign something someone some so situation single since significant starting states stay stealing taking take system switching summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad signaling sight taste rule second scaling scales saving save same run rules rotating sick risen rise ripped ridiculous return retiring retired resubscribe secure see seems seen shoves shouldn should short she sharing share shady several settled set servicio services service series sense selection talk temporarily restrict was what were went well weeks week we waste warrant users wants wanted waiting wait vs virtue value ut whats where while who youll you yet years yearly yall ya wouldn would worth workable work wont without with wife why uses used temporary thing today tired tipped times tightening throughout through things they use these there their the that thank than terrible told tooo town tracking us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice try tried restriction restart limit need no nice next news newest new never needed must monetary multiple much moving moved move more months monthly non nonesence nonsense nothing options option opening opened ontario only oneday one once on ok often offset offered offer off notified money moment original long luck loyalty your lower losing loose looking longer lol mom locations location ll living live little limiting limited made make makes making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices or others respect put rate raising raises raised raise quickly quality putting pushed preemptively provider profits profit profiles problem pricing prices prescription rates rather reactivate reality
Topic 7 | Coherence=-217536.87 | Top words= too for expensive is me now prices much going keep not worth getting upward unfortunately service to no greedy time subscription life new stupid given everything hacked rule else maybe later right used its summer vs play longer thanks itself coming offered ya outside way amount girl hard already whats secure hackednot overpriced easily subscriptions but fix less currently college second declined offer awhile only horrible garbage games email future gas fuel elsewhere get gf give go goes frequent gone gonna good got from expenses emails far few feet fees feel fee fault even fan especially family fair every fact face extra extortion euro fiance end food free forth enough entertaining forever forcing expected focused entertainment flat fixed first financially gouging financial finally gotten havent grandkids great job jacking it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases join joint just layoff letting let lesser legacy left leave learning last justify laid lack kids kidding kept keeps keeping increased increase income has her help health he having el have hardly higher happy hand half had hacking guys greed high hike in huge improvements im ill if idea husband hungry how hikes households household house hosehold holder history hiking eliminating youre edge been bf between better benefits benefit being begin before becoming biased because became be barely bank back away automatically biannually biden at broke canceling cancel can bye by business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as earlier adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another and all an amounts amercian am also almost allowed allow cancelling cannot cant date deteriorated delivering decisions death deal days day daughter damn differences dad cutting cut customers customer current currency creep didnt different card dont each duplicate due drive drastically drain down double done direction don like do divorce disgusts disgusting discontinue disappointed credit covid courtesy charge city choose choice checking cheaper charging charges charged changing country changes changed change cell caused caring cared care climb climbing combine combining costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company come doesnt loyal limit spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stop stopped stopping thank than terrible temporary temporarily taste talk taking take system switching support success subscribers subscriber sub stranger so single thats run seen seems see scaling scales saving save same rules since rotating rising risen rise ripped ridiculous return retiring selection sense series services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio that the resume we where when what were went well weeks week waste vaccine was warrant wants wanted want waiting wait virtue while who why wife youll you yet years yearly year yall wouldn would workable work wont won without with willing will value ut their tight town tooo told today tired tipped times tightening throughout using through this think things thing they these there tracking tried try trying uses users use us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice retired resubscribe limited never nothing nonsense nonesence non nice next news newest needed monthly need my must multiple moving moved move more notified of off offset our others other original or options option opportunity opening opened ontario oneday one once on ok often months month over looking made luck loyalty your lower lost losing loose long money lol locations location ll living live little limiting make makes making manservices monetary moment mom mistake mind might merge memberships membership members member medical means may married market many out own restriction raised reality reactivate re rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit really reason recent recently
Topic 8 | Coherence=-210015.50 | Top words= my is pay not subscription was it that have just but do ill bill after so because compromised charged without card bank option an credit told wanted allowed automatically hacked customers fault keeps someone think notified we extra today worth payday anyways acct hacking enough next increased like especially forth bills get getting hackednot gouging given gf greedy gotten great got good gonna greed guys girl gone going goes go grandkids give gas forever garbage expensive fee far fan family fair fact face extortion expenses fees expected everything every even euro entertainment entertaining end feel feet games food future fuel from frequent free half forcing for focused few flat fixed fix first financially financial finally fiance had youre hand lack kidding kept keeping keep justify joint join job jacking itself its issues issue isnt isn iny intolerable kids laid happy last living live little limiting limited limit life letting let lesser less legacy left leave learning layoff later into interested instead inflation holder history hiking hikes hike email higher high her help health he having havent has hardly hard horrible hosehold house improvements increments increasses increasing increases increase income in im household if idea husband hungry huge how households emails double elsewhere benefit biggest biden biased biannually bf between better benefits being away begin before been becoming became be barely back billing billings bit blindly cared care cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both awhile aunt else addition agree againlater again afford adicional addtional addresses additional adding at added activities accounts account access acceptance absurd about alarming all allow almost as aren are apps aparently anymore any anticonsumer another annually and amounts amount amercian am also already caring caused cell decisions disappointed direction different differences didnt deteriorated delivering declined death change deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain down location dont done don doesnt cut customer currently company come combining combine college climbing climb city choose choice checking cheaper charging charges charge changing changes changed coming compared current competitive currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected ll loyal locations lol stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something stopping stranger stupid taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some situation single save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services thats the their way when whats what were went well weeks week waste while warrant wants want waiting wait vs virtue value where who ut wouldn youll you yet years yearly year yall ya would why workable work wont won with willing will wife vaccine using there time tracking town tooo too to tired tipped times tightening try tight throughout through this things thing they these tried trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two right ridiculous return non offered offer off of now nothing nonsense nonesence no often nice news newest new never needed need must offset ok much or overpriced over outside out our others other original options on opportunity opening opened ontario only oneday one once multiple moving owner luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical own owning retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits reside retired resume
Topic 9 | Coherence=-223551.61 | Top words= need in and two subscriptions other one with only subscription on be moved house fuel entertainment use time dont having costs able significant won live rise so cut addresses boyfriend households my both we more financially back some cancel hard to creep done combine the don multiple less climb payday remarried our paying constant short married merge profiles now stop go gonna gotten got entertaining get getting great gf every good girl goes gone even give euro going gouging given grandkids especially enough family everything food flat fixed fix first financial finally fiance few feet fair fees feel fee fault far focused for expected forcing expenses gas garbage fan future expensive from extortion frequent free extra face forth forever fact games havent greed issue joint join job jacking itself its it issues isnt greedy isn is iny intolerable into interested instead inflation just justify keep keeping life letting let lesser legacy left leave learning layoff later last laid lack kids kidding kept keeps increments increasses increasing hike high her help health he emails have has hardly happy hand half had hacking hackednot hacked guys higher hikes increases hiking increased increase income improvements im ill if idea husband hungry huge how household hosehold horrible holder history end double email been bf between better benefits benefit being begin before becoming biased because became barely bank awhile away automatically aunt biannually biden elsewhere buggin cannot cancelling canceling can bye by but business budget biggest broke break blindly bit bills billings billing bill at as aren adding againlater again after afford adicional addtional additional addition added are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cant card care death direction different differences didnt deteriorated delivering declined decisions deal currently days day daughter date damn dad cutting customers disappointed discontinue disgusting disgusts else eliminating el edge easily earlier each duplicate due drive drastically drain down limit doesnt do divorce customer current cared charges college climbing city choose choice checking cheaper charging charged currency charge changing changes changed change cell caused caring combining come coming company credit covid courtesy country cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared like youre limited started stranger stopping stopped stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber limiting temporarily their thats that thanks thank than terrible temporary taste subscribers talk taking take system switching support summer success son something someone saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen ripped sense series service services single since signaling sign sight sick shoves shouldn should she sharing share shady several settled set servicio there these they week where when whats what were went well weeks way virtue waste was warrant wants wanted want waiting wait while who why wife youll you yet years yearly year yall ya wouldn would worth workable work wont without willing will vs value thing tired try tried tracking town tooo too told today tipped vaccine times tightening tight throughout through this think things trying twice unable under ut using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand right ridiculous return nice of notified nothing not nonsense nonesence non no next months news newest new never needed must much moving off offer offered offset overpriced over outside out others original or options option opportunity opening opened ontario oneday once ok often move monthly owner loose make made luck loyalty your lower lost losing looking month longer long lol locations location ll living little makes making manservices many money monetary moment mom mistake mind might memberships membership members member medical means me maybe may market own owning retiring rate recent reason really reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recently recession rectifying redo
Topic 10 | Coherence=-233073.36 | Top words= price and your access too will is why where am increments increase many now greed canceling checking raising pay luck good increases stop prices ridiculous have people tracking their be they how change customer use anticonsumer quality of in garbage anymore high locations paying this terrible upcoming into different blindly should subscription success damn twice money horrible cost fee some what put from with living the gouging keep original every bills limiting waiting these day done months becoming medical subscriptions throughout reflect buggin way until please using justify history less happy fuel go given give girl gf euro everything getting get entertaining gas future entertainment games especially even enough for expected fact feel far fan fees feet few goes fiance family finally fair financial financially first fix frequent face fixed flat extra extortion focused food expensive fault expenses forcing forever forth free youre havent going if issues issue isnt isn iny intolerable interested instead inflation increasses increasing increased income improvements im it its itself kidding layoff later last laid lack kids kept jacking keeps keeping just joint join job ill idea gone husband hardly hard hand half had hacking hackednot hacked guys greedy great grandkids gotten got gonna has emails having holder hungry huge households household house hosehold hiking he hikes hike higher her help health end disgusting email begin biased biannually bf between better benefits benefit being before cared been because became barely bank back awhile away biden biggest bill billing card cant cannot cancelling cancel can bye by but business budget broke break boyfriend both bit billings automatically aunt at agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about againlater alarming as all aren are apps aparently anyways any another annually an amounts amount amercian also already almost allowed allow care caring elsewhere decisions discontinue disappointed direction differences didnt deteriorated delivering declined death caused deal days daughter date dad cutting cut customers leave disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont don doesnt currently current currency coming combining combine college climbing climb city choose choice cheaper charging charges charged charge changing changes changed cell come company creep compared credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive learning loyal left something spouses spouse spending spend span sorry soon son someone legacy so situation single since significant signaling sign sight squeeze start started starting taking take system switching support summer subscribers subscriber sub stupid stranger stopping stopped stepdad stealing stay states sick shoves shouldn scales save same run rules rule rotating rising risen rise ripped right return retiring retired resume resubscribe restriction saving scaling short second she sharing share shady several settled set servicio services service series sense selection seen seems see secure talk taste temporarily while whats were went well weeks week we waste was warrant wants wanted want wait vs virtue value when who ut wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vaccine uses temporary told to tired tipped times time tightening tight through think things thing there thats that thanks thank than today tooo users town used us upward upping up unneeded unnecessary unfortunately unfair unemployed understand under unable two trying try tried restrict restart respect no next news newest new never needed need my must multiple much moving moved move more monthly month nice non moment nonesence opened ontario only oneday one once on ok often offset offered offer off notified nothing not nonsense monetary mom opportunity lower losing loose looking longer long lol location ll live little limited limit like life letting let lesser lost loyalty mistake made mind might merge memberships membership members member means me maybe may married market manservices making makes make opening option residence rather rate raises raised raise quickly putting pushed provider profits profit profiles problem pricing president prescription prefer preemptively rates re possible
Topic 11 | Coherence=-223295.61 | Top words= the price of for this and is to out other money in months have budget are time try hikes just few selection once tight ill come hand one before care paying again lack first take start things getting back scales finally tipped direction continually goes waste far would now learning rather happy work need spend not town second yet rising anymore moment spending at people especially got temporary squeeze or being activities fault aparently your may charging continue sorry you give everything expensive extortion extra given expenses expected face go even every going gone gonna good euro entertainment entertaining enough gotten end girl food fact fiance forcing flat forever forth fixed free fix frequent financially from financial fuel future focused games garbage feet fees gas get feel fee gf fan family fair youre havent gouging into it issues issue isnt isn iny intolerable interested itself instead inflation increments increasses increasing increases increased its jacking grandkids kids legacy left leave layoff later last laid kidding job kept keeps keeping keep justify joint join increase income improvements half health he having email has hardly hard had im hacking hackednot hacked guys greedy greed great help her high higher if idea husband hungry huge how households household house hosehold horrible holder history hiking hike emails disgusts elsewhere better billing bill biggest biden biased biannually bf between benefits awhile benefit begin been becoming because became be barely billings bills bit blindly cared card cant cannot cancelling canceling cancel can bye by but business buggin broke break boyfriend both bank away else addition agree againlater after afford adicional addtional addresses additional adding automatically added acct accounts account access acceptance absurd about alarming all allow allowed aunt as aren apps anyways any anticonsumer another annually an amounts amount amercian am also already almost caring caused cell decisions discontinue disappointed different differences didnt deteriorated delivering declined death change deal days day daughter date damn dad cutting disgusting lesser divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt cut customers customer compared coming combining combine college climbing climb city choose choice checking cheaper charges charged charge changing changes changed company competitive currently compromised current currency creep credit covid courtesy country costs cost continuous continues continously constantly constant consolidating consider connected less loyal let span stepdad stealing stay states starting started spouses spouse soon signaling son something someone some so situation single since stop stopped stopping stranger than terrible temporarily taste talk taking system switching support summer success subscriptions subscription subscribers subscriber sub stupid significant sign letting risen scaling saving save same run rules rule rotating rise sight ripped right ridiculous return retiring retired resume resubscribe secure see seems seen sick shoves shouldn should short she sharing share shady several settled set servicio services service series sense thank thanks that way whats what were went well weeks week we was thats warrant wants wanted want waiting wait vs virtue when where while who youll years yearly year yall ya wouldn worth workable wont won without with willing will wife why value vaccine ut twice tried tracking tooo too told today tired times tightening throughout through think thing they these there their trying two using unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under restriction restrict restart must nice next news newest new never needed my multiple others much moving moved move more monthly month monetary no non nonesence nonsense options option opportunity opening opened ontario only oneday on ok often offset offered offer off notified nothing mom mistake mind lower losing loose looking longer long lol locations location ll living live little limiting limited limit like life lost loyalty might luck merge memberships membership members member medical means me maybe married market many manservices making makes make made original our respect putting rates rate raising raises raised raise quickly quality put outside pushed provider profits profit profiles problem pricing prices re reactivate reality
Topic 12 | Coherence=-223913.99 | Top words= price and is to the increase for not money increases with need can be more saving deal am continuous problem willing subscription are last pay starting profit agree paying options something support additional great profiles do service expenses after laid policy changes off afford but think reducing dont business dad several taking discontinue weeks over absurd spending cant becoming away biggest owner passed thanks getting higher flat system cost broke retiring ll good want pleased summer renewing happy drain given fees expensive give extortion girl extra expected go everything fiance every goes going gone finally even gonna first financially euro gf feet few fix focused food feel forcing fee got forever forth free fault frequent from fuel future games far fan family fixed fair fact garbage gas face get financial youre gotten intolerable itself its it issues issue isnt isn iny into gouging interested instead inflation increments increasses increasing increased income jacking job join joint lesser less legacy left leave learning layoff later lack kids kidding kept keeps keeping keep justify just in improvements im health having havent have has entertainment hardly hard hand half had hacking hackednot hacked guys greedy greed grandkids he help ill her if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike high especially done entertaining bills billing bill biden biased biannually bf between better benefits benefit being begin before been because became barely billings bit back blindly cell caused caring cared care card cannot cancelling canceling cancel bye by buggin budget break boyfriend both bank awhile enough allowed all alarming againlater again adicional addtional addresses addition adding added activities acct accounts account access acceptance about allow almost automatically already aunt at as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also change changed changing doesnt disgusts disgusting disappointed direction different differences didnt deteriorated delivering declined decisions death days day daughter date damn divorce don charge letting end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically down double cutting cut customers customer compared company coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged competitive compromised connected country currently current currency creep credit covid courtesy costs consider continues continue continually continously constantly constant consolidating let loyal life start stopping stopped stop stepdad stealing stay states started squeeze so spouses spouse spend span sorry soon son someone stranger stupid sub subscriber these there their thats that thank than terrible temporary temporarily taste talk take switching success subscriptions subscribers some situation return same seen seems see secure second scaling scales save run single rules rule rotating rising risen rise ripped right selection sense series services since significant signaling sign sight sick shoves shouldn should short she sharing share shady settled set servicio they thing things we where when whats what were went well week way this waste was warrant wants wanted waiting wait vs while who why wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without will virtue value vaccine two trying try tried tracking town tooo too told today tired tipped times time tightening tight throughout through twice unable ut under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ridiculous retired like my no nice next news newest new never needed must moment multiple much moving moved move months monthly month non nonesence nonsense nothing opportunity opening opened ontario only oneday one once on ok often offset offered offer of now notified monetary mom resume long loyalty your lower lost losing loose looking longer lol mistake locations location living live little limiting limited limit luck made make makes mind might merge memberships membership members member medical means me maybe may married market many manservices making option or original raised reality reactivate re rather rates rate raising raises raise other quickly quality putting put pushed provider profits pricing really reason recent
Topic 13 | Coherence=-234146.66 | Top words= to it and you money use keep dont not need services do have prices enough as much in the good other with me so save on why needed want been yall put from guys household like years rising forth because only havent damn stealing subscriptions lost was down before keeps limiting continues no anymore never service barely mind adding again fees warrant these cost drain we now really made signaling virtue political single some often cant switching platforms prefer upping people manservices keeping changes thank extortion expensive games expenses expected garbage gas extra get first face everything gf every girl even give euro especially entertainment given go entertaining getting fair future feet financially financial going fixed flat finally focused food for fiance few forcing fact feel fee forever fault far free frequent fan fuel family fix goes youre gone increasses iny intolerable into interested instead inflation increments increasing isn increases increased increase income improvements im ill is isnt idea justify later last laid lack kids kidding kept just issue joint join job jacking itself its issues if husband gonna hackednot hardly hard happy hand half had hacking hacked emails greedy greed great grandkids gouging gotten got has having hungry history huge how households house hosehold horrible holder hiking he hikes hike higher high her help health end divorce email benefits bill biggest biden biased biannually bf between better benefit automatically being begin becoming became be bank back awhile billing billings bills bit card cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly away aunt elsewhere addition agree againlater after afford adicional addtional addresses additional added at activities acct accounts account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already almost care cared caring deal different differences didnt deteriorated delivering declined decisions death days caused day daughter date dad cutting cut customers customer direction disappointed discontinue disgusting else eliminating el edge easily earlier each duplicate due drive drastically double done don doesnt learning disgusts currently current currency come combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changed change cell combining coming creep company credit covid courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared layoff loyal leave stop stay states starting started start squeeze spouses spouse spending spend span sorry soon son something someone situation stepdad stopped significant stopping terrible temporary temporarily taste talk taking take system support summer success subscription subscribers subscriber sub stupid stranger since sign thanks secure scaling scales saving same run rules rule rotating risen rise ripped right ridiculous return retiring retired resume second see sight seems sick shoves shouldn should short she sharing share shady several settled set servicio series sense selection seen than that restriction when what were went well weeks week way waste wants wanted waiting wait vs value vaccine ut using whats where users while youll yet yearly year ya wouldn would worth workable work wont won without willing will wife who uses used thats tooo told today tired tipped times time tightening tight throughout through this think things thing they there their too town us tracking upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried resubscribe restrict left nonesence nice next news newest new my must multiple moving moved move more months monthly month monetary moment non nonsense mistake nothing or options option opportunity opening opened ontario oneday one once ok offset offered offer off of notified mom might others loose longer long lol locations location ll living live little limited limit life letting let lesser less legacy looking losing merge lower memberships membership members member medical means maybe may married market many making makes make luck loyalty your original our restart reactivate rather rates rate raising raises raised raise quickly quality putting pushed provider profits profit profiles problem pricing re reality president
Topic 14 | Coherence=-233523.61 | Top words= and too price you prices the new many not raised have up fees expensive charges just money anymore added as rules more to go increases worth gotten of customer raising times continues me continue youll addtional stop back even squeeze upcoming greedy this use raise amount yet made out high try profits adding kidding year workable iny forcing never choice account nothing shoves really short holder terrible monthly constantly prescription face death will pop on everything already subscriber when taste service gonna future getting gone going goes games garbage gas given give girl gf get fuel youre from expenses far fan family fair fact extra extortion expected frequent every euro especially entertainment entertaining enough end fault fee feel feet free forth forever for food focused flat fixed fix first financially financial good fiance few finally having got interested issues issue isnt isn is intolerable into instead its inflation increments increasses increasing increased increase income it itself gouging kids leave learning layoff later last laid lack kept jacking keeps keeping keep justify joint join job in improvements im half he havent has hardly hard happy hand had ill hacking hackednot hacked guys greed great grandkids health help her higher if idea husband hungry huge how households household house hosehold horrible history hiking hikes hike emails divorce email better billing bill biggest biden biased biannually bf between benefits barely benefit being begin before been becoming because became billings bills bit blindly card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both be bank cared addresses all alarming agree againlater again after afford adicional additional awhile addition activities acct accounts access acceptance absurd about allow allowed almost also away automatically aunt at aren are apps aparently anyways any anticonsumer another annually an amounts amercian am care caring elsewhere delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cut decisions deal days day daughter date damn dad disgusts legacy do doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don cutting customers caused checking come combining combine college climbing climb city choose cheaper currently charging charged charge changing changes changed change cell coming company compared competitive current currency creep credit covid courtesy country costs cost continuous continually continously constant consolidating consider connected compromised left loyal less sorry starting started start spouses spouse spending spend span soon restriction son something someone some so situation single since states stay stealing stepdad temporarily talk taking take system switching support summer success subscriptions subscription subscribers sub stupid stranger stopping stopped significant signaling sign second scales saving save same run rule rotating rising risen rise ripped right ridiculous return retiring retired resume scaling secure sight see sick shouldn should she sharing share shady several settled set servicio services series sense selection seen seems temporary than thank were well weeks week we way waste was warrant wants wanted want waiting wait vs virtue value vaccine went what using whats years yearly yall ya wouldn would work wont won without with willing wife why who while where ut uses thanks tooo today tired tipped time tightening tight throughout through think things thing they these there their thats that told town users tracking used us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying tried resubscribe restrict lesser multiple nice next news newest needed need my must much restart moving moved move months month monetary moment mom no non nonesence nonsense option opportunity opening opened ontario only oneday one once ok often offset offered offer off now notified mistake mind might losing looking longer long lol locations location ll living live little limiting limited limit like life letting let loose lost merge lower memberships membership members member medical means maybe may married market manservices making makes make luck loyalty your options or original reactivate rather rates rate raises quickly quality putting put pushed provider profit profiles problem pricing president prefer preemptively re reality possible
Topic 15 | Coherence=-218969.30 | Top words= subscription have my the to price different in we is where change use upcoming fee ridiculous increases locations anticonsumer using another why live on but more back two im both than poland platform amercian going less passed spending getting aparently cutting able addresses spouses aunt increase next married away instead want opening creep hard hosehold reality fix resume started constant had has gonna gone happy goes go given good give girl gf addtional adicional addition hand got hacking gotten gouging half additional grandkids great get greed greedy guys hacked hackednot hardly any gas finally few feet fees feel again fault far fan family fair fact face extra extortion expensive expenses expected fiance financial garbage financially games havent fuel afford from frequent free forth forever forcing for food focused flat fixed first after future health having join kept keeps keeping keep justify just joint job kids jacking itself its it issues issue isnt kidding lack access lesser about limit like life absurd letting let acceptance laid legacy left leave learning layoff later last isn iny he hiking how households household house horrible holder history hikes hungry hike adding higher high her help every huge husband intolerable accounts into interested account inflation increments increasses increasing increased idea acct income activities improvements added ill if everything entertaining even also card cant cannot allowed cancelling canceling cancel can almost bye by already business buggin budget broke break care cared caring charges climb city choose choice checking cheaper charging charged caused all charge changing changes changed allow cell boyfriend blindly college bit because became be barely bank amounts an awhile automatically and at as annually aren are apps anyways becoming been before biased bills billings billing bill am biggest biden biannually begin bf between better benefits benefit being amount climbing combine euro delivering down double limiting dont done don doesnt do divorce disgusts disgusting discontinue disappointed direction againlater differences didnt drain drastically drive elsewhere especially entertainment anymore enough end emails email else due eliminating el edge easily earlier each duplicate deteriorated declined combining decisions cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared alarming company coming come costs country courtesy dad death deal days day daughter date damn agree covid cut customers customer currently current currency credit limited youre little spouse stop stepdad stealing stay states starting start squeeze spend stopping span sorry soon son something someone some so stopped stranger thats take thanks thank terrible temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub situation single since save seen seems see secure second scaling scales saving same significant run rules rule rotating rising risen rise ripped selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services that their living way when whats what were went well weeks week waste who was warrant wants wanted waiting wait vs virtue while wife there wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing value vaccine ut tightening tooo too told today tired tipped times time tight uses throughout through this think things thing they these town tracking tried try users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying right return retiring nice now notified nothing not nonsense nonesence non no news off newest new never needed need must multiple much of offer retired opportunity out our others other original or options option opened offered ontario only oneday one once ok often offset moving moved move lower manservices making makes make made luck loyalty your lost months losing loose looking longer long lol location ll many market may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me outside over overpriced raises reason really reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits recent recently recession rectifying
Topic 16 | Coherence=-220894.82 | Top words= to need cut change of at you expenses business billing trying dont just possible are doesnt decisions sense make as much making well resubscribe for date time that guys my your almost service month unable all company country with help it increased and customer per rent when new bills tired spending reduce playing subscribers now games no am costs don months out raised due unnecessary policies must looking redo cutting reducing unneeded pleased retiring membership end system reflect passed especially locations kidding been how justify forcing join food joint focused jacking flat fixed fix first financially financial job itself fiance its forever issues issue isnt forth isn free frequent from fuel future is garbage finally feet few extortion euro leave even every everything expected learning layoff later last laid lack expensive kids extra intolerable face fact fair family fan far fault fee kept keeps feel keeping keep fees iny gas huge im increases has have increase entertainment having he health income her in improvements high higher hike hard hikes hiking history ill holder horrible hosehold house if household idea households husband hungry hardly happy into good get getting gf girl give given interested go goes going gone gonna instead inflation got increasing gotten gouging increments grandkids great greed greedy increasses hacked hackednot hacking had half hand havent youre entertaining being biden biased biannually bf between better benefits benefit begin enough before becoming because became be barely bank back biggest bill billings bit card cant cannot cancelling canceling cancel can bye by but buggin budget broke break boyfriend both blindly awhile away automatically againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree aunt alarming aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already allowed allow care cared caring divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined death deal days day daughter damn dad disgusts do currently done emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain legacy down double customers current caused come combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed cell combining coming currency compared creep credit covid courtesy cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive left loyal less started stopping stopped stop stepdad stealing stay states starting start rise squeeze spouses spouse spend span sorry soon son stranger stupid sub subscriber thats thanks thank than terrible temporary temporarily taste talk taking take switching support summer success subscriptions subscription something someone some servicio series selection seen seems see secure second scaling scales saving save same run rules rule rotating rising services set so settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several the their there who where whats what were went weeks week we way waste was warrant wants wanted want waiting wait while why virtue wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will vs value these try tracking town tooo too told today tipped times tightening tight throughout through this think things thing they tried twice vaccine two ut using uses users used use us upward upping upcoming up until unfortunately unfair unemployed understand under risen ripped lesser newest nothing not nonsense nonesence non nice next news never right needed multiple moving moved move more monthly money notified off offer offered other original or options option opportunity opening opened ontario only oneday one once on ok often offset monetary moment mom lower losing loose longer long lol location ll living live little limiting limited limit like life letting let lost loyalty mistake luck mind might merge memberships members member medical means me maybe may married market many manservices makes made others our outside reason reality reactivate re rather rates rate raising raises raise quickly quality putting put pushed provider profits profit really recent problem
Topic 17 | Coherence=-235243.66 | Top words= price the your greedy many you extra charging to also hikes over not way share past money fan subscriptions years few because of increases me increasing and no ridiculous value good in has constant new with months are raised while almost pushed edge subscription continually little longer once point delivering frequent going tired keeps was life history broke long raises like she covid sick higher need pls think consider year save locations opened why future gonna gone goes go given give games girl from getting get gas garbage fuel gf youre free expected family fair fact face extortion expensive expenses everything forth every even euro especially entertainment entertaining enough far fault fee feel forever forcing for food focused flat fixed fix first got financial finally fiance feet fees financially having gotten iny its it issues issue isnt isn is intolerable jacking into interested instead inflation increments increasses increased itself job income lack left leave learning layoff later last laid kids join kidding kept keeping keep justify just joint increase improvements gouging half emails havent have hardly hard happy hand had health hacking hackednot hacked guys greed great grandkids he help im households ill if idea husband hungry huge how household her house hosehold horrible holder hiking hike high end dont email begin biased biannually bf between better benefits benefit being before biggest been becoming became be barely bank back awhile biden bill automatically business cannot cancelling canceling cancel can bye by but buggin billing budget break boyfriend both blindly bit bills billings away aunt card adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at another as aren apps aparently anyways anymore any anticonsumer annually all an amounts amount amercian am already allowed allow cant care elsewhere death disappointed direction different differences didnt deteriorated declined decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts customer drive else eliminating el easily earlier each duplicate due drastically divorce drain down double less done don doesnt do customers currently cared charges college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come current continues currency creep credit courtesy country costs cost continuous continue coming continously constantly consolidating connected compromised competitive compared company legacy loyal lesser squeeze stop stepdad stealing stay states starting started start spouses that spouse spending spend span sorry soon son something stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber sub someone some so sense seen seems see secure second scaling scales saving same run rules rule rotating rising risen rise ripped selection series situation service single since significant signaling sign sight shoves shouldn should short sharing shady several settled set servicio services thanks thats let wants were went well weeks week we waste warrant wanted their want waiting wait vs virtue vaccine ut using what whats when where youll yet yearly yall ya wouldn would worth workable work wont won without willing will wife who uses users used tracking tooo too told today tipped times time tightening tight throughout through this things thing they these there town tried use try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying right return retiring news now notified nothing nonsense nonesence non nice next newest retired never needed my must multiple much moving moved off offer offered offset out our others other original or options option opportunity opening ontario only oneday one on ok often move more monthly makes made luck loyalty lower lost losing loose looking lol location ll living live limiting limited limit letting make making month manservices monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market outside overpriced own recession recent reason really reality reactivate re rather rates rate raising raise quickly quality putting put provider profits recently rectifying profiles
Topic 18 | Coherence=-230290.76 | Top words= to the and you my be different subscription want me we many will with of luck that too checking greed canceling good access on mom membership country am live since subscriptions increments places restrict cancel two moved currency go enough in company changed location rates current where currently service same don payment news worth won ill do back are double emails disappointed disgusts putting sub spend adicional than thing servicio own pagos por used el was lol gf date higher wants switching husband but expenses taste addresses fix profiles inflation for food focused fiance finally flat financial forcing its fixed first financially how later feet frequent games increases future fuel laid from jacking forever free increasing forth last increasses itself few interested fees layoff issue especially isnt euro even every isn is everything expected expensive extortion extra face fact fair iny family fan it far intolerable fault learning into fee feel gas instead garbage increased get her hard hardly im has have entertainment havent keeping if having he health idea help keep happy high just hike hikes hungry huge hiking history holder horrible hosehold justify house household improvements hand getting got households girl increase give given lack job kids income goes going gone gonna kidding gotten keeps join gouging grandkids great issues kept greedy guys hacked hackednot hacking had joint half youre disgusting entertaining biden biannually bf between better benefits benefit being begin before been becoming because became barely bank awhile away biased biggest end bill cannot cancelling can bye by business buggin budget broke break boyfriend both blindly bit bills billings billing automatically aunt at as agree againlater again after afford addtional additional addition adding added activities acct accounts account acceptance absurd about alarming all allow another aren apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian also already almost cant card care creep direction differences didnt deteriorated delivering declined decisions death deal days day daughter damn dad cutting cut customers discontinue left divorce each email elsewhere else eliminating edge easily earlier duplicate doesnt due drive drastically drain down dont done customer credit cared covid college climbing climb city choose choice cheaper charging charges charged charge changing changes change cell caused caring combine combining come continously courtesy costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared leave loyal legacy son start squeeze spouses spouse spending span sorry soon something less someone some so situation single significant signaling sign started starting states stay temporarily talk taking take system support summer success subscribers subscriber stupid stranger stopping stopped stop stepdad stealing sight sick shoves scales save run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction saving scaling shouldn second should short she sharing share shady several settled set services series sense selection seen seems see secure temporary terrible thank whats were went well weeks week way waste warrant wanted waiting wait vs virtue value vaccine ut using what when users while youll yet years yearly year yall ya wouldn would workable work wont without willing wife why who uses use thanks tooo today tired tipped times time tightening tight throughout through this think things they these there their thats told town us tracking upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try tried restart respect residence nonesence no nice next newest new never needed need must multiple much moving move more months monthly month non nonsense monetary not opportunity opening opened ontario only oneday one once ok often offset offered offer off now notified nothing money moment options lower losing loose looking longer long locations ll living little limiting limited limit like life letting let lesser lost your mistake loyalty mind might merge memberships members member medical means maybe may married market manservices making makes make made option or reside rather raising raises raised raise quickly quality put pushed provider profits profit problem pricing prices price president prescription rate re preemptively
Topic 19 | Coherence=-228852.77 | Top words= and price the your my that hike to like cancel don in married got since months subscriptions has of member will dont we is gone shady year once used offer for tried was selection also fact span drastically deteriorated rate are just husband now need pay memberships consolidating two getting each increasses moving offset fiance with after became unemployed recently share increase family preemptively currently up financial next accounts before canceling ridiculous own issues annually combining wont due later joint nonesence reside raise again her support upping current services different rise raises continue reflect restriction absurd agree throughout high it isnt finally issue few feet fees first feel its itself fee financially fixed fix fault flat focused food isn iny forcing forever intolerable into interested forth free jacking fan far kidding entertaining last entertainment especially euro even laid every everything lack expected kids expenses instead kept expensive extortion extra keeps keeping face keep justify join fair job frequent inflation higher hardly guys hacked hackednot hacking had hungry half hand happy huge hard how households household from house hosehold horrible have havent holder having history he health help hiking hikes greedy greed great grandkids fuel future games garbage increments gas increasing get increases gf increased girl income give given improvements go goes going im ill gonna if good idea gotten gouging enough youre end billings bill biggest biden biased biannually bf between better benefits benefit being begin been becoming because be barely billing bills back bit care card cant cannot cancelling can bye by but business buggin budget broke break boyfriend both blindly bank awhile emails allowed all alarming againlater afford adicional addtional addresses additional addition adding added activities acct account access acceptance about allow almost away already automatically aunt at as aren apps aparently anyways anymore any anticonsumer another an amounts amount amercian am cared caring caused disgusting disappointed direction differences didnt delivering declined decisions death deal days day daughter date damn dad cutting cut discontinue disgusts cell divorce email elsewhere else eliminating el edge easily earlier duplicate drive drain down double done doesnt do learning customers customer currency creep combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change come coming company continues credit covid courtesy country costs cost continuous continually compared continously constantly constant consider connected compromised competitive layoff loyal leave stop stealing stay states starting started start squeeze spouses spouse spending spend sorry soon son something someone some stepdad stopped situation stopping terrible temporary temporarily taste talk taking take system switching summer success subscription subscribers subscriber sub stupid stranger so single thank see second scaling scales saving save same run rules rule rotating rising risen ripped right return retiring retired secure seems significant seen signaling sign sight sick shoves shouldn should short she sharing several settled set servicio service series sense than thanks resubscribe where whats what were went well weeks week way waste warrant wants wanted want waiting wait vs virtue when while vaccine who youll you yet years yearly yall ya wouldn would worth workable work won without willing wife why value ut thats tooo told today tired tipped times time tightening tight through this think things thing they these there their too town using tracking uses users use us upward upcoming until unneeded unnecessary unfortunately unfair understand under unable twice trying try resume restrict left nice newest new never needed must multiple much moved move more monthly month money monetary moment mom mistake news no might non option opportunity opening opened ontario only oneday one on ok often offered off notified nothing not nonsense mind merge or looking long lol locations location ll living live little limiting limited limit life letting let lesser less legacy longer loose membership losing members medical means me maybe may market many manservices making makes make made luck loyalty lower lost options original restart rather raising raised quickly quality putting put pushed provider profits profit profiles problem pricing prices president prescription prefer rates re possible
Topic 20 | Coherence=-233291.44 | Top words= has my subscription are or other with price company already much biannually too entertaining far seems in consider after ill options like you an many year increases prices your one it increasing have dont into he bf putting activities choose moving between kids this expensive made need that wife anymore so husband pay everything stepdad increase hikes her phone else married me offered spouse often own people subscriptions seen what pop daughter than system got continue right more get gf go given going give forever forth girl free gas forcing getting goes frequent from fuel layoff future games garbage jacking fixed for extortion fan family fair fact face extra expenses fault expected every even euro especially entertainment legacy fee food financial focused flat learning fix first financially leave feel left finally fiance few feet fees gone hacked gonna idea income justify improvements im keep if keeping just keeps kept hungry huge how households increased joint house isn its job join issues issue isnt is increasses iny intolerable interested instead inflation increments household hosehold good guys laid last had hacking hackednot itself greedy half greed great grandkids gouging gotten later lack hand horrible help holder history hiking hike higher high health happy having havent kidding enough hardly hard youre double end being billing bill biggest biden biased better benefits benefit begin bills before been becoming because became be barely bank billings bit awhile bye care card cant cannot cancelling canceling cancel can by blindly but business buggin budget broke break boyfriend both back away emails addition agree againlater again afford adicional addtional addresses additional adding all added acct accounts account access acceptance absurd about alarming allow automatically anticonsumer aunt at as aren apps aparently anyways any another allowed annually and amounts amount amercian am also almost cared caring caused declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day date damn dad cutting disgusting divorce cell duplicate email elsewhere eliminating el edge easily earlier each due do drive drastically drain down lesser done don doesnt cut customers customer checking come combining combine college climbing climb city choice cheaper currently charging charges charged charge changing changes changed change coming compared competitive compromised current currency creep credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating connected less loyal let started stranger stopping stopped stop stealing stay states starting start someone squeeze spouses spending spend span sorry soon son stupid sub subscriber subscribers there their the thats thanks thank terrible temporary temporarily taste talk taking take switching support summer success something some letting saving series sense selection see secure second scaling scales save situation same run rules rule rotating rising risen rise service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled these they thing waste whats were went well weeks week we way was things warrant wants wanted want waiting wait vs virtue when where while who youll yet years yearly yall ya wouldn would worth workable work wont won without willing will why value vaccine ut twice try tried tracking town tooo told today to tired tipped times time tightening tight throughout through think trying two using unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped ridiculous return newest not nonsense nonesence non no nice next news new over never needed must multiple moved move months monthly nothing notified now of out our others original option opportunity opening opened ontario only oneday once on ok offset offer off month money monetary loyalty lost losing loose looking longer long lol locations location ll living live little limiting limited limit life lower luck moment make mom mistake mind might merge memberships membership members member medical means maybe may market manservices making makes outside overpriced retiring rates recently recent reason really reality reactivate re rather rate owner raising raises raised raise quickly quality put pushed recession rectifying redo
Topic 21 | Coherence=-226550.44 | Top words= you extra of my with share family money out bill paying me charging increase because cant want outside using without are don idea power states stay grandkids that limit like news raising when prices or cheaper and differences improvements subscriptions any hosehold re spending only constantly happy politically hungry biased moving increases covid repurposing charges resubscribe gf gouging fuel gotten future got good gonna girl gone going goes go garbage given give gas get getting games youre from expenses fault far fan fair fact face extortion expensive expected frequent everything every even euro especially entertainment entertaining enough fee feel fees feet free forth forever forcing for greed food focused flat fixed fix first financially financial finally fiance few great has greedy keep just joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested justify keeping guys keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept instead inflation increments increasses high her help health he having havent have emails hardly hard hand half had hacking hackednot hacked higher hike hikes husband increasing increased income in im ill if huge hiking how households household house horrible holder history end drastically email before biannually bf between better benefits benefit being begin been biggest becoming became be barely bank back awhile away biden billing aunt business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically at elsewhere adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as an aren apps aparently anyways anymore anticonsumer another annually amounts all amount amercian am also already almost allowed allow card care cared death disappointed direction different didnt deteriorated delivering declined decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts caring due else eliminating el edge easily earlier each duplicate drive divorce limiting drain down double dont done doesnt do customers customer currently choice come combining combine college climbing climb city choose checking current charged charge changing changes changed change cell caused coming company compared competitive currency creep credit courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised limited loyal little started stupid stranger stopping stopped stop stepdad stealing starting start subscriber squeeze spouses spouse spend span sorry soon son sub subscribers these temporarily their the thats thanks thank than terrible temporary taste subscription talk taking take system switching support summer success something someone some scaling series sense selection seen seems see secure second scales so saving save same run rules rule rotating rising service services servicio set situation single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled there they live waste what were went well weeks week we way was where warrant wants wanted waiting wait vs virtue value whats while thing would youll yet years yearly year yall ya wouldn worth who workable work wont won willing will wife why vaccine ut uses tipped tracking town tooo too told today to tired times users time tightening tight throughout through this think things tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two risen rise ripped next notified nothing not nonsense nonesence non no nice newest off new never needed need must multiple much moved now offer right opening over our others other original options option opportunity opened offered ontario oneday one once on ok often offset move more months losing makes make made luck loyalty your lower lost loose monthly looking longer long lol locations location ll living making manservices many market month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married overpriced own owner rates recession recently recent reason really reality reactivate rather rate profits raises raised raise quickly quality putting put pushed rectifying redo reduce reducing
Topic 22 | Coherence=-224173.94 | Top words= for my you and charge going re your extra to me it thank college uses in anyways is ut she sign bye worth daughter good no when now subscription that the more on kids another intolerable unfair divorce city live wife as through courtesy left even moving choose fair country kidding allow profits why greedy greed great gotten grandkids fuel future games gouging given garbage got from get gonna getting gone gf goes girl go give gas youre frequent fault fan family fact face extortion expensive expenses expected everything every euro especially entertainment entertaining enough end emails far fee free feel forth forever forcing food focused flat fixed fix first hacked financially financial finally fiance few feet fees guys high hackednot keeping justify just joint join job jacking itself its issues issue isnt isn iny into interested instead inflation keep keeps increasses kept limiting limited limit like life letting let lesser less legacy leave learning layoff later last laid lack increments increasing hacking hiking hike higher elsewhere her help health he having havent have has hardly hard happy hand half had hikes history increases holder increased increase income improvements im ill if idea husband hungry huge how households household house hosehold horrible email done else before biannually bf between better benefits benefit being begin been automatically becoming because became be barely bank back awhile biased biden biggest bill canceling cancel can by but business buggin budget broke break boyfriend both blindly bit bills billings billing away aunt cannot adding again after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about againlater agree alarming all aren are apps aparently anymore any anticonsumer annually an amounts amount amercian am also already almost allowed cancelling cant eliminating deal different differences didnt deteriorated delivering declined decisions death days current day date damn dad cutting cut customers customer direction disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically drain down double dont don doesnt do disgusts currently currency card charged combine climbing climb choice checking cheaper charging charges changing creep changes changed change cell caused caring cared care combining come coming company credit covid costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared little loyal living spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped situation switching terrible temporary temporarily taste talk taking take system support stopping summer success subscriptions subscribers subscriber sub stupid stranger so single ll run see secure second scaling scales saving save same rules seen rule rotating rising risen rise ripped right ridiculous seems selection since sharing significant signaling sight sick shoves shouldn should short share sense shady several settled set servicio services service series than thanks thats was were went well weeks week we way waste warrant whats wants wanted want waiting wait vs virtue value what where their would youll yet years yearly year yall ya wouldn workable while work wont won without with willing will who vaccine using users tightening tooo too told today tired tipped times time tight used throughout this think things thing they these there town tracking tried try use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying return retiring retired non offer off of notified nothing not nonsense nonesence nice offset next news newest new never needed need must offered often own options over outside out our others other original or option ok opportunity opening opened ontario only oneday one once multiple much moved lower many manservices making makes make made luck loyalty lost move losing loose looking longer long lol locations location market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means overpriced owner resume raised really reality reactivate rather rates rate raising raises raise recent quickly quality putting put pushed provider profit profiles reason recently owning replace resubscribe
Topic 23 | Coherence=-235973.17 | Top words= to it for be price high what too that keep up you enough ll re were hiking don understand means cared leave begin wouldn being this if increase greedy now us prices anymore about only with is way many not raised when has no of long much back using ill renewing was shouldn pick while will competitive market months should manservices drive paying half few options else and financial down charged return from get wait want rotating something people have having subscriptions issues soon unfortunately some upward charges situation your changed caused support accounts used willing policies everything first gas expensive fuel future expenses expected games garbage every euro even extra getting especially entertainment gf entertaining end emails email girl extortion frequent fix fee financially fixed finally fiance feet flat focused food fees feel given free fault forcing far fan forever family fair forth fact face give youre go iny into interested instead inflation increments increasses increasing increases increased income in improvements im idea husband intolerable isn goes isnt lack kids kidding kept keeps keeping justify just joint join job jacking itself its issue hungry huge how households had hacking hackednot hacked guys greed great grandkids gouging gotten got good gonna gone going hand happy hard hikes household house hosehold horrible holder history hike hardly higher her help health he havent elsewhere different eliminating before biden biased biannually bf between better benefits benefit been el becoming because became barely bank awhile away automatically biggest bill billing billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills aunt at as alarming againlater again after afford adicional addtional addresses additional addition adding added activities acct account access acceptance absurd agree all aren allow are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already almost allowed cannot cant card last didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer differences direction current disappointed edge easily earlier each duplicate due drastically drain double dont done doesnt do divorce disgusts disgusting discontinue currently currency care coming combining combine college climbing climb city choose choice checking cheaper charging charge changing changes change cell caring come company creep compared credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised laid loyal later start spouses spouse spending spend span sorry son someone so single since significant signaling sign sight sick shoves squeeze started she starting system switching summer success subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states short sharing layoff same rules rule rising risen rise ripped right ridiculous retiring retired resume resubscribe restriction restrict restart respect residence run save share saving shady several settled set servicio services service series sense selection seen seems see secure second scaling scales take taking talk went weeks week we waste warrant wants wanted waiting vs virtue value vaccine ut uses users use upping well whats taste where youll yet years yearly year yall ya would worth workable work wont won without wife why who upcoming until unneeded unnecessary throughout through think things thing they these there their the thats thanks thank than terrible temporary temporarily tight tightening time try unfair unemployed under unable two twice trying tried times tracking town tooo told today tired tipped reside repurposing replace new needed need my must multiple moving moved move more monthly month money monetary moment mom mistake mind never newest opened news oneday one once on ok often offset offered offer off notified nothing nonsense nonesence non nice next might merge memberships membership locations location living live little limiting limited limit like life letting let lesser less legacy left learning lol longer looking making members member medical me maybe may married makes loose make made luck loyalty lower lost losing ontario opening rent raise quality putting put pushed provider profits profit profiles problem pricing president prescription prefer preemptively power possible por quickly raises
Topic 24 | Coherence=-221872.04 | Top words= not price you it worth is the your keep for increase good prices raising when increasing year but really no sharing every charges pricing addition service nothing seems daughter enough currently ok added been afford pay upping longer used using isnt its respect run canceling legacy members what by sign hardly make huge thank charge charging any series popular re amounts vs nice offered cost stupid isn ut cannot creep less tired caring uses done living keeping lower please made pls take kids given college don biggest bills got greedy greed great grandkids gouging gotten amercian hacked gonna gone going goes go amount give guys hackednot gf hacking help health he having already havent have also has am hard happy hand half had girl an almost getting fixed fix first financially financial finally anticonsumer fiance few feet fees feel fee fault anymore flat another focused from get gas garbage games future fuel frequent annually free forth forever forcing and food her allowed aparently just join accounts acct job jacking activities adding itself additional addresses issues issue addtional adicional after joint justify high account left leave learning layoff later last laid lack about absurd kidding kept keeps acceptance access iny intolerable into interested alarming how households household house hosehold horrible holder history hiking hikes all allow hike higher hungry husband idea increases again instead inflation increments increasses againlater increased if agree income in improvements im ill anyways far bit constant consider connected compromised competitive compared company coming come combining combine being climbing climb city choose consolidating constantly fan continously current currency because becoming credit covid courtesy country costs before begin continuous continues continue continually choice checking cheaper benefit biden cancel can bye bill billing billings business buggin budget broke break boyfriend both blindly cancelling biased cant changed benefits charged better between changing changes change card cell caused bf cared care biannually became customer customers drastically as at end emails email elsewhere else eliminating el edge easily earlier each duplicate due entertaining entertainment aren expensive family fair fact face extra extortion expenses especially expected everything apps are even euro drive drain cut aunt delivering declined decisions death deal days day back bank date damn dad barely be cutting awhile deteriorated didnt do down double dont automatically away doesnt divorce differences disgusts disgusting discontinue disappointed direction different youre loyal lesser spouses stepdad stealing stay states starting started start squeeze spouse that spending spend span sorry soon son something someone stop stopped stopping stranger than terrible temporary temporarily taste talk taking system switching support summer success subscriptions subscription subscribers subscriber sub some so situation seen secure second scaling scales saving save same rules rule rotating rising risen rise ripped right ridiculous return see selection single sense since significant signaling sight sick shoves shouldn should short she share shady several settled set servicio services thanks thats let waste whats were went well weeks week we way was their warrant wants wanted want waiting wait virtue value where while who why youll yet years yearly yall ya wouldn would workable work wont won without with willing will wife vaccine users use tooo told today to tipped times time tightening tight throughout through this think things thing they these there too town us tracking upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried retiring retired resume my non next news newest new never needed need must resubscribe multiple much moving moved move more months monthly nonesence nonsense notified now or options option opportunity opening opened ontario only oneday one once on often offset offer off of month money monetary luck lost losing loose looking long lol locations location ll live little limiting limited limit like life letting loyalty makes moment making mom mistake mind might merge memberships membership member medical means me maybe may married market many manservices original other others reason reactivate rather rates rate raises raised raise quickly quality putting put pushed provider profits profit profiles problem reality recent prescription
Topic 25 | Coherence=-232322.35 | Top words= better services other prices people using the cheaper gonna kept out so reason was im youre now keep only raising if subscription charge your charging and are it for price continues benefit with climb too no added much to more has rise cost cancel sight have cant me end didnt let first month quickly hikes risen way increased in boyfriend tooo caring wants enough increasing due used spend increments cut making twice getting learning laid go left focused food given leave layoff gas later give forcing garbage forever forth free get frequent girl from gf fuel future last fixed games flat few fix fact entertaining entertainment especially euro letting even every everything expected expenses expensive extortion extra face fair financially family lesser fan far fault fee feel fees feet less legacy fiance finally financial goes into going hosehold issues how its households household house horrible hungry holder history hiking hike higher high huge husband help increase intolerable instead inflation increasses iny increases is idea income improvements isn ill isnt issue her itself gone greed kidding hackednot hacked guys greedy kids great keeping interested gouging gotten got good lack keeps hacking health joint he jacking having job havent join hardly justify hard happy hand half just had grandkids done emails becoming biannually bf between benefits being begin before been because at became be barely bank back awhile away automatically biased biden biggest bill cancelling canceling can bye by but business buggin budget broke break both blindly bit bills billings billing aunt as card addition againlater again after afford adicional addtional addresses additional adding aren activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cannot care email declined disgusting discontinue disappointed direction different differences deteriorated delivering decisions customers death deal days day daughter date damn dad disgusts divorce do doesnt elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double dont like don cutting customer cared choice coming come combining combine college climbing city choose checking currently charges charged changing changes changed change cell caused company compared competitive compromised current currency creep credit covid courtesy country costs continuous continue continually continously constantly constant consolidating consider connected life loyal limit start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending span sorry soon son something stopping stupid limited taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber someone some situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising ripped right ridiculous selection sense series service since significant signaling sign sick shoves shouldn should short she sharing share shady several settled set servicio that thats their weeks while where when whats what were went well week value we waste warrant wanted want waiting wait vs who why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing virtue vaccine there tightening tracking town told today tired tipped times time tight ut throughout through this think things thing they these tried try trying two uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retiring retired newest nothing not nonsense nonesence non nice next news new months never needed need my must multiple moving moved notified of off offer others original or options option opportunity opening opened ontario oneday one once on ok often offset offered move monthly outside longer made luck loyalty lower lost losing loose looking long money lol locations location ll living live little limiting make makes manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market our over resume raised really reality reactivate re rather rates rate raises raise pricing quality putting put pushed provider profits profit profiles recent recently recession rectifying
Topic 26 | Coherence=-224224.84 | Top words= the keep of to and prices will price raising not be back us share anymore terrible pricing addition you end letting customers month move greedy payment constantly on business start don elsewhere up fault take again every there services jacking days continously restriction moved aren focused stopping moving already job reality next enough increased card please guys other switching canceling laid flat food lack fixed for kids fix forcing forever forth free frequent increments fuel from kidding goes go given give girl kept gf first getting get gas garbage games future last later gone let face extra extortion expensive lesser expenses expected everything financially life even euro especially entertainment entertaining like fact less legacy fair layoff learning leave financial finally fiance few feet fees feel fee left far fan family going good keeps keeping hungry huge how households isn isnt household house hosehold issue horrible holder history hiking issues husband is idea iny increasses increasing instead interested into intolerable increases if increase income in improvements im ill hikes hike it greed had hacking hackednot hacked just justify great hand grandkids gouging gotten got inflation gonna half happy higher he high its itself her help health join hard having havent have has hardly joint youre down emails benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because became barely bank bill billings email by cared care cant cannot cancelling cancel can bye but bills buggin budget broke break boyfriend both blindly bit awhile away automatically adding agree againlater after afford adicional addtional addresses additional added aunt activities acct accounts account access acceptance absurd about alarming all allow allowed at as are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also almost caring caused cell declined discontinue disappointed direction different differences didnt deteriorated delivering decisions customer death deal day daughter date damn dad cutting disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain limited double dont done doesnt cut currently change choice come combining combine college climbing climb city choose checking current cheaper charging charges charged charge changing changes changed coming company compared competitive currency creep credit covid courtesy country costs cost continuous continues continue continually constant consolidating consider connected compromised limit loyal limiting squeeze stopped stop stepdad stealing stay states starting started spouses stupid spouse spending spend span sorry soon son something stranger sub they taste their thats that thanks thank than temporary temporarily talk subscriber taking system support summer success subscriptions subscription subscribers someone some so saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service servicio single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set these thing little we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who things would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife vs virtue value tired try tried tracking town tooo too told today tipped vaccine times time tightening tight throughout through this think trying twice two unable ut using uses users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous newest notified nothing nonsense nonesence non no nice news new off never needed need my must multiple much more now offer return opening out our others original or options option opportunity opened offered ontario only oneday one once ok often offset months monthly money loose make made luck loyalty your lower lost losing looking monetary longer long lol locations location ll living live makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market outside over overpriced rate recently recent reason really reactivate re rather rates raises profit raised raise quickly quality putting put pushed provider recession rectifying redo reduce
Topic 27 | Coherence=-223658.25 | Top words= and about bill that extra subscription money don when have using company like share news power subscriptions youre outside states but me limit charge paying greedy its want disgusting increase to extortion taste idea for family how kids trying save just some activities fair even right people between another better spend my summer health go today this membership havent addtional gonna gone going goes happy after given give girl gf having getting good got hand afford half adicional had hacking hackednot hacked guys greed gotten great grandkids hard hardly gas has gouging get aren garbage games feet fees feel fee fault far fan agree alarming fact face all allow expensive expenses expected everything few fiance finally again fuel from frequent free forth forever forcing food financial againlater focused flat fixed fix first financially future high he join keeps keeping keep justify account accounts joint job kidding jacking itself acct it issues issue isnt kept access added less limited absurd acceptance life letting let lesser legacy lack left leave learning layoff later last laid isn is help horrible hungry huge addresses households household house hosehold holder additional history hiking hikes hike higher allowed her husband if iny increasing intolerable into interested instead inflation increments increasses increases ill increased adding income in addition improvements im every entertaining euro especially change cell caused anticonsumer caring cared care card cant cannot any cancelling canceling cancel can bye by changed changes changing city come combining combine amounts college climbing climb choose annually choice checking cheaper charging charges charged an anymore business buggin barely begin before been becoming because became be bank benefit back awhile away automatically aunt are at being benefits budget anyways broke break boyfriend both blindly bit bills billings bf billing aparently biggest biden biased biannually apps coming amount compared divorce double dont done almost little doesnt do disgusts drain already discontinue disappointed direction different also differences down drastically deteriorated else entertainment as enough end emails email elsewhere eliminating drive el edge easily earlier each duplicate due didnt delivering competitive continually courtesy country costs cost continuous continues continue continously credit amercian constantly constant consolidating consider connected compromised covid creep declined damn decisions death deal days day daughter date dad currency cutting cut customers customer am currently current limiting loyal live spouses stop stepdad stealing stay starting started start squeeze spouse stopping spending span sorry soon son something someone so stopped stranger single talk the thats thanks thank than terrible temporary temporarily taking stupid take system switching support success subscribers subscriber sub situation since living rules see secure second scaling scales saving same run rule seen rotating rising risen rise ripped ridiculous return retiring seems selection significant she signaling sign sight sick shoves shouldn should short sharing sense shady several settled set servicio services service series their there these week while where whats what were went well weeks we why way waste was warrant wants wanted waiting wait who wife they wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs virtue value tipped try tried tracking town tooo too told tired times vaccine time tightening tight throughout through think things thing twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand retired resume resubscribe nice now notified nothing not nonsense nonesence non no next off newest new never needed need must multiple much of offer out opened others other original or options option opportunity opening ontario offered only oneday one once on ok often offset moving moved move lost making makes make made luck loyalty your lower losing more loose looking longer long lol locations location ll manservices many market married months monthly month monetary moment mom mistake mind might merge memberships members member medical means maybe may our over restriction raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason overpriced renewing restrict
Topic 28 | Coherence=-223665.86 | Top words= with the are subscriber my up your life who is service face pop shoves keeping lost iny to nice choice especially forcing make so currently more expensive have in worth going just for about this subscription me anymore higher be same provider thing through it others do moved than amount times was phone getting family someone will when started am already son get new free has connected location cheaper replace restart moving ontario email increases cell two under profits last gf right hacking another gonna go gas goes from frequent fuel given give future girl games garbage youre fiance forth every fact extra extortion expenses expected everything even fan euro entertainment entertaining enough end emails fair far forever financially food focused flat fixed fix first financial fault finally few feet fees feel fee gone havent good inflation issue isnt isn intolerable into interested instead increments its increasses increasing increased increase income improvements im issues itself got kids left leave learning layoff later laid lack kidding jacking kept keeps keep justify joint join job ill if idea hackednot else hardly hard happy hand half had hacked husband guys greedy greed great grandkids gouging gotten having he health help hungry huge how households household house hosehold horrible holder history hiking hikes hike high her elsewhere disgusts eliminating benefit biggest biden biased biannually bf between better benefits being awhile begin before been becoming because became barely bank bill billing billings bills cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit back away card addition againlater again after afford adicional addtional addresses additional adding automatically added activities acct accounts account access acceptance absurd agree alarming all allow aunt at as aren apps aparently anyways any anticonsumer annually and an amounts amercian also almost allowed cant care el deal different differences didnt deteriorated delivering declined decisions death days current day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt divorce less customer currency cared charging combining combine college climbing climb city choose checking charges creep charged charge changing changes changed change caused caring come coming company compared credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider compromised competitive legacy loyal lesser spend stay states starting start squeeze spouses spouse spending span thank sorry soon something some situation single since significant stealing stepdad stop stopped temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers sub stupid stranger stopping signaling sign sight second scales saving save run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe scaling secure sick see shouldn should short she sharing share shady several settled set servicio services series sense selection seen seems terrible thanks let waste what were went well weeks week we way warrant that wants wanted want waiting wait vs virtue value whats where while why youll you yet years yearly year yall ya wouldn would workable work wont won without willing wife vaccine ut using tracking tooo too told today tired tipped time tightening tight throughout think things they these there their thats town tried uses try users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand unable twice trying restriction restrict respect never not nonsense nonesence non no next news newest needed residence need must multiple much move months monthly month nothing notified now of or options option opportunity opening opened only oneday one once on ok often offset offered offer off money monetary moment luck lower losing loose looking longer long lol locations ll living live little limiting limited limit like letting loyalty made mom makes mistake mind might merge memberships membership members member medical means maybe may married market many manservices making original other our rather rate raising raises raised raise quickly quality putting put pushed profit profiles problem pricing prices price president rates re prefer
 60%|██████    | 29/48 [1:32:55<1:27:26, 276.12s/it]
Topic 29 | Coherence=-222768.22 | Top words= just the raising greedy last my prices charge you year in after additional profiles profit starting as many time it subscription use months can moved increase this by see at has take using don opened daughter losing residence same mistake increases duplicate won keep owner acceptance break do fuel future from frequent garbage greed great gas get games go grandkids forth getting gouging gotten gf got good gonna girl give gone going given goes free youre forever everything fair fact face extra extortion expensive expenses expected every forcing even euro especially entertainment entertaining enough end emails family fan far fault for food focused flat fixed fix first financially financial hacked finally fiance few feet fees feel fee guys health hackednot kept keeping justify joint join job jacking itself its issues issue isnt isn is iny intolerable into interested keeps kidding hacking kids limiting limited limit like life letting let lesser less legacy left leave learning layoff later laid lack instead inflation increments increasses hikes hike higher high her help elsewhere he having havent have hardly hard happy hand half had hiking history holder idea increasing increased income improvements im ill if husband horrible hungry huge how households household house hosehold email down else before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest care buggin cant cannot cancelling canceling cancel bye but business budget bill broke boyfriend both blindly bit bills billings billing away automatically aunt addition alarming agree againlater again afford adicional addtional addresses adding aren added activities acct accounts account access absurd about all allow allowed almost are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already card cared eliminating day didnt deteriorated delivering declined decisions death deal days date different damn dad cutting cut customers customer currently current differences direction caring drain el edge easily earlier each due drive drastically live disappointed double dont done doesnt divorce disgusts disgusting discontinue currency creep credit cheaper combine college climbing climb city choose choice checking charging covid charges charged changing changes changed change cell caused combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared little loyal living start stopping stopped stop stepdad stealing stay states started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone taste thats that thanks thank than terrible temporary temporarily talk subscriber taking system switching support summer success subscriptions subscribers something some ll scales series sense selection seen seems secure second scaling saving services save run rules rule rotating rising risen rise service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled their there these way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while they worth youll yet years yearly yall ya wouldn would workable who work wont without with willing will wife why virtue value vaccine tired tried tracking town tooo too told today to tipped ut times tightening tight throughout through think things thing try trying twice two uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right ridiculous non off of now notified nothing not nonsense nonesence no offered nice next news newest new never needed need offer offset overpriced option outside out our others other original or options opportunity often opening ontario only oneday one once on ok must multiple much your market manservices making makes make made luck loyalty lower moving lost loose looking longer long lol locations location married may maybe me move more monthly month money monetary moment mom mind might merge memberships membership members member medical means over own return rate recent reason really reality reactivate re rather rates raises recession raised raise quickly quality putting put pushed provider recently rectifying owning reside retiring
Average topic coherence for the top words is -225953.01811845897
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.32it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.35it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.35it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.34it/s]
 10%|█         | 5/50 [00:00<00:08,  5.35it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.33it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.34it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.34it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.36it/s]
 20%|██        | 10/50 [00:01<00:07,  5.36it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.36it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.38it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.38it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.36it/s]
 30%|███       | 15/50 [00:02<00:06,  5.38it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.36it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.33it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.33it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.33it/s]
 40%|████      | 20/50 [00:03<00:05,  5.34it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.33it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.34it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.37it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.36it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.37it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.38it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.37it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.32it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.33it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.33it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.35it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.38it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.37it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.38it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.38it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.40it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.38it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.37it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.36it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.36it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.35it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.38it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.35it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.35it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.32it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.33it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.33it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.35it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.35it/s]
100%|██████████| 50/50 [00:09<00:00,  5.35it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.71it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.66it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.66it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.63it/s]
 10%|█         | 5/50 [00:00<00:06,  6.58it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.58it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.55it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.57it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.59it/s]
 20%|██        | 10/50 [00:01<00:06,  6.60it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.61it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.61it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.61it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.60it/s]
 30%|███       | 15/50 [00:02<00:05,  6.61it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.59it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.58it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.58it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.61it/s]
 40%|████      | 20/50 [00:03<00:04,  6.62it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.62it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.42it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.37it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.44it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.47it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.53it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.54it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.53it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.55it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.54it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.59it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.59it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.60it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.61it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.61it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.59it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.57it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.54it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.57it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.59it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.55it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.56it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.58it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.58it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.59it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.60it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.61it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.61it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.61it/s]
100%|██████████| 50/50 [00:07<00:00,  6.57it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.53it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.54it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.55it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.54it/s]
 10%|█         | 5/50 [00:01<00:12,  3.55it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.53it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.53it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.53it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.55it/s]
 20%|██        | 10/50 [00:02<00:11,  3.56it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.54it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.54it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.55it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.53it/s]
 30%|███       | 15/50 [00:04<00:09,  3.54it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.55it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.55it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.55it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.55it/s]
 40%|████      | 20/50 [00:05<00:08,  3.56it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.55it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.56it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.55it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.55it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.52it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.53it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.54it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.54it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.54it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.55it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.54it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.53it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.53it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.53it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.54it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.54it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.55it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.55it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.55it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.55it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.54it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.54it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.53it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.53it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.54it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.54it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.54it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.54it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.55it/s]
100%|██████████| 50/50 [00:14<00:00,  3.54it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.74it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.73it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.72it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.72it/s]
 10%|█         | 5/50 [00:01<00:16,  2.73it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.73it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.72it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.72it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.72it/s]
 20%|██        | 10/50 [00:03<00:14,  2.70it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.67it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.68it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.71it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.71it/s]
 30%|███       | 15/50 [00:05<00:12,  2.71it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.71it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.72it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.72it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.71it/s]
 40%|████      | 20/50 [00:07<00:11,  2.72it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.73it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.72it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.71it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.71it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.71it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.72it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.72it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.72it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.71it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.72it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.73it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.72it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.72it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.72it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.72it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.72it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.71it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.71it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.72it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.73it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.74it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.73it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.71it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.72it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.72it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.72it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.72it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.74it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.73it/s]
100%|██████████| 50/50 [00:18<00:00,  2.72it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.79it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.79it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.80it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.80it/s]
 10%|█         | 5/50 [00:02<00:25,  1.79it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.79it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.80it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.79it/s]
 18%|█▊        | 9/50 [00:05<00:22,  1.79it/s]
 20%|██        | 10/50 [00:05<00:22,  1.78it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.78it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.79it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.79it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.79it/s]
 30%|███       | 15/50 [00:08<00:19,  1.80it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.80it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.80it/s]
 36%|███▌      | 18/50 [00:10<00:17,  1.80it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.79it/s]
 40%|████      | 20/50 [00:11<00:16,  1.79it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.79it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.80it/s]
 46%|████▌     | 23/50 [00:12<00:15,  1.79it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.80it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.80it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.80it/s]
 54%|█████▍    | 27/50 [00:15<00:12,  1.80it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.80it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.80it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.80it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.80it/s]
 64%|██████▍   | 32/50 [00:17<00:10,  1.80it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.79it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.79it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.79it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.80it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.80it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.79it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.79it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.80it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.80it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.80it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.80it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.80it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.80it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.80it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.79it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.79it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.79it/s]
100%|██████████| 50/50 [00:27<00:00,  1.80it/s]

100%|██████████| 50/50 [00:00<00:00, 1515.20it/s]
Topic 0 | Coherence=-227342.05 | Top words= you price raised to offer for long pay shady tried almost like once fact cancel too that used dont also your benefits nonsense changing keeps been the this don with better services way high has prices be while renewing others return wait activities lesser hard will summer temporarily fix hacked becoming health year waiting few day until scaling months down kept ill subscription huge share on climbing me again fees get frequent euro from fuel future especially games garbage entertainment entertaining gas enough getting free gf girl give end given emails left email go goes going gone gonna good even forth feel forever feet fee less fault far got fan family fiance finally fair financial face financially first extra fixed extortion flat expensive focused food legacy expenses expected forcing let everything every last hardly gotten increments is iny intolerable into interested instead inflation increasses layoff increasing increases increased increase income in improvements isn isnt issue issues lack kids kidding keeping keep justify just later joint join job jacking itself its it im if gouging half having havent leave have laid happy hand had idea hacking hackednot guys greedy greed great grandkids else he learning help husband hungry how households household house hosehold horrible holder history hiking hikes hike higher her elsewhere youre eliminating begin biggest biden biased biannually bf between benefit being before care because became barely bank back awhile away automatically bill billing billings bills cant cannot cancelling canceling can bye by but business buggin budget broke break boyfriend both blindly bit aunt at as alarming againlater after afford adicional addtional addresses additional addition adding added acct accounts account access acceptance absurd about agree all aren allow are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am already allowed card cared el daughter didnt deteriorated delivering declined decisions death deal days date caring damn dad cutting cut customers customer currently current differences different direction disappointed edge easily earlier each duplicate due drive drastically drain double done doesnt do divorce letting disgusting discontinue currency creep credit come combine college climb city choose choice checking cheaper charging charges charged charge changes changed change cell caused combining coming covid company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared disgusts loyal life span starting started start squeeze spouses spouse spending spend sorry significant soon son something someone some so situation single states stay stealing stepdad taste talk taking take system switching support success subscriptions subscribers subscriber sub stupid stranger stopping stopped stop since signaling terrible rising scales saving save same run rules rule rotating risen sign rise ripped right ridiculous retiring retired resume resubscribe second secure see seems sight sick shoves shouldn should short she sharing several settled set servicio service series sense selection seen temporary than limit was what were went well weeks week we waste warrant uses wants wanted want vs virtue value vaccine ut whats when where who youll yet years yearly yall ya wouldn would worth workable work wont won without willing wife why using users thank through today tired tipped times time tightening tight throughout think use things thing they these there their thats thanks told tooo town tracking us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try restriction restrict restart needed non no nice next news newest new never need month my must multiple much moving moved move more nonesence not nothing notified or options option opportunity opening opened ontario only oneday one ok often offset offered off of now monthly money respect longer made luck loyalty lower lost losing loose looking lol monetary locations location ll living live little limiting limited make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many original other our put rates rate raising raises raise quickly quality putting pushed out provider profits profit profiles problem pricing president prescription rather re reactivate
Topic 1 | Coherence=-226989.15 | Top words= is you your re going charge me to and uses thank it bye no when anyways college sign not good worth she daughter ut my in increase much be too the was cost times this amount has about what started should half up other profits charged allow sharing way of quickly risen kidding family biggest tooo living became deal broke covid continues tight overpriced creep more isnt flat extra garbage expensive expenses expected gas get getting gf girl give given everything go goes every gone even gonna euro especially entertainment entertaining got gotten gouging enough grandkids end extortion face great finally focused fixed food for fix forcing forever first financially forth free financial frequent fiance games few from feet fees feel fuel fee fault far future fan fair fact youre her greed greedy join job jacking itself its issues issue isn iny intolerable into interested instead inflation increments increasses increasing joint just justify layoff let lesser less legacy left leave learning later keep last laid lack kids kept keeps keeping increases increased income hardly email help health he having havent have hard higher happy hand had hacking hackednot hacked guys high hike improvements how im ill if idea husband hungry huge households hikes household house hosehold horrible holder history hiking emails divorce elsewhere begin biased biannually bf between better benefits benefit being before else been becoming because barely bank back awhile away biden bill billing billings cant cannot cancelling canceling cancel can by but business buggin budget break boyfriend both blindly bit bills automatically aunt at agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd againlater alarming as all aren are apps aparently anymore any anticonsumer another annually an amounts amercian am also already almost allowed card care cared disgusts discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death days day date damn dad cutting disgusting life customers do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt cut customer caring coming combining combine climbing climb city choose choice checking cheaper charging charges changing changes changed change cell caused come company currently compared current currency credit courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive letting loyal like spend stay states starting start squeeze spouses spouse spending span since sorry soon son something someone some so situation stealing stepdad stop stopped taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping single significant temporary rotating scaling scales saving save same run rules rule rising signaling rise ripped right ridiculous return retiring retired resume second secure see seems sight sick shoves shouldn short share shady several settled set servicio services service series sense selection seen temporarily terrible restriction waste where whats were went well weeks week we warrant using wants wanted want waiting wait vs virtue value while who why wife youll yet years yearly year yall ya wouldn would workable work wont won without with willing will vaccine users than think told today tired tipped time tightening throughout through things used thing they these there their thats that thanks town tracking tried try use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resubscribe restrict limit new nothing nonsense nonesence non nice next news newest never month needed need must multiple moving moved move months notified now off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered monthly money our longer made luck loyalty lower lost losing loose looking long monetary lol locations location ll live little limiting limited make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many others out restart putting rather rates rate raising raises raised raise quality put prescription pushed provider profit profiles problem pricing prices price reactivate reality really reason
Topic 2 | Coherence=-220824.35 | Top words= increasing prices and customer will time like long for rates no at subscriber only it feel keep there loyalty alarming we is going your but stop raising rejoin into get some rising money success put just once inflation settled moving on less allowed users later my need cancelling costs monthly food been gas temporarily nonesence bills recession eliminating wont support do so these card automatically billings agree divorce absurd switching garbage games future give getting gf girl given go goes gone gonna good got gotten gouging grandkids fuel finally from expensive fan family fair fact face extra extortion expenses frequent expected everything every even euro especially entertainment far fault fee fees free forth forever forcing focused flat fixed fix first financially financial greed fiance few feet great youre greedy guys jacking itself its issues issue isnt isn iny intolerable interested instead increments increasses increases increased increase income job join joint layoff letting let lesser legacy left leave learning last justify laid lack kids kidding kept keeps keeping in improvements im hardly enough health he having havent have has hard her happy hand half had hacking hackednot hacked help high ill household if idea husband hungry huge how households house higher hosehold horrible holder history hiking hikes hike entertaining double end benefit biggest biden biased biannually bf between better benefits being awhile begin before becoming because became be barely bank bill billing bit blindly caring cared care cant cannot canceling cancel can bye by business buggin budget broke break boyfriend both back away cell addition againlater again after afford adicional addtional addresses additional adding aunt added activities acct accounts account access acceptance about all allow almost already as aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also caused change emails decisions disappointed direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting discontinue disgusting disgusts doesnt email elsewhere else el edge easily earlier each duplicate due drive drastically drain down dont done don cut currently changed choose coming come combining combine college climbing climb city choice current checking cheaper charging charges charged charge changing changes company compared competitive compromised currency creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected life loyal limit start stopping stopped stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stranger stupid sub subscribers their the thats that thanks thank than terrible temporary taste talk taking take system summer subscriptions subscription something situation thing saving selection seen seems see secure second scaling scales save single same run rules rule rotating risen rise ripped sense series service services since significant signaling sign sight sick shoves shouldn should short she sharing share shady several set servicio they things ridiculous week where when whats what were went well weeks way virtue waste was warrant wants wanted want waiting wait while who why wife youll you yet years yearly year yall ya wouldn would worth workable work won without with willing vs value think today trying try tried tracking town tooo too told to vaccine tired tipped times tightening tight throughout through this twice two unable under ut using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand right return limited next of now notified nothing not nonsense non nice news more newest new never needed must multiple much moved off offer offered offset outside out our others other original or options option opportunity opening opened ontario oneday one ok often move months overpriced looking makes make made luck lower lost losing loose longer month lol locations location ll living live little limiting making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married over own retiring raised reason really reality reactivate re rather rate raises raise pricing quickly quality putting pushed provider profits profit profiles recent recently rectifying redo
Topic 3 | Coherence=-226471.75 | Top words= the increase subscription for care on with this back your my rate to customer other paying be again service even before customers price garbage they their and do tracking about things start of just first take hike fuel rise next costs having how need entertainment people access cut divorce ill payday charge in phone news preemptively own can canceling sub at disappointed offered justify horrible joint terrible soon hacked apps mistake discontinue too an what system town charging less stopping games gf go kidding given forever forth give free girl layoff later getting last frequent from laid kids get gas future lack interested fixed forcing fault fan family fair fact face extra extortion expensive expenses expected everything every lesser euro especially far fee learning feel food focused flat going fix leave financially financial finally fiance left legacy few feet fees goes greedy gone issues isn isnt households issue household house hosehold huge holder history hiking hikes it its is hungry gonna into inflation increments increasses increasing increases increased intolerable husband income improvements iny im if idea higher itself high greed had hacking hackednot keeps guys instead kept jacking great grandkids gouging gotten got good half hand keeping happy hard hardly has have keep havent entertaining he health help join her job youre doesnt enough benefits bill biggest biden biased biannually bf between better benefit end being begin been becoming because became barely bank billing billings bills bit cared card cant cannot cancelling cancel bye by but business buggin budget broke break boyfriend both blindly awhile away automatically all agree againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd alarming allow aunt allowed as aren are aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost caring caused cell don disgusts disgusting direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn letting done cutting dont emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dad currently change compared coming come combining combine college climbing climb city choose choice checking cheaper charges charged changing changes changed company competitive current compromised currency creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected let loyal life spend stay states starting started squeeze spouses spouse spending span significant sorry son something someone some so situation single stealing stepdad stop stopped thanks thank than temporary temporarily taste talk taking switching support summer success subscriptions subscribers subscriber stupid stranger since signaling thats rules secure second scaling scales saving save same run rule sign rotating rising risen ripped right ridiculous return retiring see seems seen selection sight sick shoves shouldn should short she sharing share shady several settled set servicio services series sense that there like week while where when whats were went well weeks we vs way waste was warrant wants wanted want waiting who why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing wait virtue these tired two twice trying try tried tooo told today tipped value times time tightening tight throughout through think thing unable under understand unemployed vaccine ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair retired resume resubscribe must nonesence non no nice newest new never needed multiple monetary much moving moved move more months monthly month nonsense not nothing notified or options option opportunity opening opened ontario only oneday one once ok often offset offer off now money moment restriction lol loyalty lower lost losing loose looking longer long locations mom location ll living live little limiting limited limit luck made make makes mind might merge memberships membership members member medical means me maybe may married market many manservices making original others our raise reality reactivate re rather rates raising raises raised quickly out quality putting put pushed provider profits profit profiles really reason recent
Topic 4 | Coherence=-227766.02 | Top words= my subscription has and in with already subscriptions an married need one husband we got the moving are two don kids dont so is someone made or other into putting activities that he bf between expensive only choose me have wife getting using memberships this same consolidating moved after at anymore how daughter increase boyfriend stepdad fiance own hacked her different residence emails fair recently payment raising double keeps it remarried hacking family spouse share who acct spouses people now increased short happy extra notified greedy date on while wants joint holder food few justify finally financial financially first fix fixed flat just focused for keep forcing forever forth free frequent from fuel join future games job garbage feet fees get extortion legacy entertaining entertainment especially euro even every left leave everything expected expenses learning layoff feel later last face laid lack fact kidding kept keeping fan far fault fee gas jacking history havent had half income improvements hand im ill hard if hardly enough idea hungry having gf huge health help households household house hosehold horrible high higher hike hikes hiking increases hackednot increasing increasses girl itself its give given go issues issue goes going gone gonna good isnt gotten isn iny intolerable gouging grandkids great greed interested guys instead inflation increments youre done end benefit billing bill biggest biden biased biannually better benefits being caring begin before been becoming because became be barely billings bills bit blindly care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break both bank back awhile all agree againlater again afford adicional addtional addresses additional addition adding added accounts account access acceptance absurd about alarming allow away allowed automatically aunt as aren apps aparently anyways any anticonsumer another annually amounts amount amercian am also almost cared caused email death disappointed direction differences didnt deteriorated delivering declined decisions deal cell days day damn dad cutting cut customers customer discontinue disgusting disgusts divorce elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down lesser doesnt do currently current currency coming combining combine college climbing climb city choice checking cheaper charging charges charged charge changing changes changed change come company creep compared credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consider connected compromised competitive less loyal let start stopping stopped stop stealing stay states starting started squeeze there spending spend span sorry soon son something some stranger stupid sub subscriber thats thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers situation single since seen see secure second scaling scales saving save run rules rule rotating rising risen rise ripped right ridiculous seems selection significant sense signaling sign sight sick shoves shouldn should she sharing shady several settled set servicio services service series their these retiring waste whats what were went well weeks week way was they warrant wanted want waiting wait vs virtue value when where why will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vaccine ut uses tried town tooo too told today to tired tipped times time tightening tight throughout through think things thing tracking try users trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice return retired letting needed non no nice next news newest new never must out multiple much move more months monthly month money nonesence nonsense not nothing others original options option opportunity opening opened ontario oneday once ok often offset offered offer off of monetary moment mom lower losing loose looking longer long lol locations location ll living live little limiting limited limit like life lost your mistake loyalty mind might merge membership members member medical means maybe may market many manservices making makes make luck our outside resume quickly reactivate re rather rates rate raises raised raise quality over put pushed provider profits profit profiles problem pricing reality really reason
Topic 5 | Coherence=-233093.32 | Top words= you extra and my subscription family that with increase about using when share of the money bill paying outside like want states limit idea power news sharing for charge im no if an longer will pay support parents garbage spending out charges cant cutting quality hosehold more gonna acceptance made blindly why back should not unable subscriptions unnecessary on declined expenses times thank drain membership jacking into going card try payment expected goes flat go given give girl gf everything every gone getting even euro especially good got entertainment entertaining enough gotten gouging grandkids great end expensive face extortion from fix focused first financially financial finally fiance forcing forever few forth free frequent fuel get feet fees feel fee fault far fan future games fair fact gas fixed food youre greed is itself its it issues issue isnt isn iny join intolerable interested instead inflation increments increasses increasing job joint increased laid legacy left leave learning layoff later last lack just kids kidding kept keeps keeping keep justify increases income greedy hard he having email havent have has hardly happy help hand half had hacking hackednot hacked guys health her in household improvements ill husband hungry huge how households house high horrible holder history hiking hikes hike higher emails doesnt elsewhere before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank awhile away biased biggest cared business cannot cancelling canceling cancel can bye by but buggin billing budget broke break boyfriend both bit bills billings automatically aunt at additional agree againlater again after afford adicional addtional addresses addition as adding added activities acct accounts account access absurd alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost care caring else deal direction different differences didnt deteriorated delivering decisions death days discontinue day daughter date damn dad cut customers customer disappointed disgusting caused drive eliminating el edge easily earlier each duplicate due drastically disgusts down double dont done don lesser do divorce currently current currency choice come combining combine college climbing climb city choose checking creep cheaper charging charged changing changes changed change cell coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised less loyal let spend stealing stay starting started start squeeze spouses spouse span since sorry soon son something someone some so situation stepdad stop stopped stopping than terrible temporary temporarily taste talk taking take system switching summer success subscribers subscriber sub stupid stranger single significant letting rule second scaling scales saving save same run rules rotating signaling rising risen rise ripped right ridiculous return retiring secure see seems seen sign sight sick shoves shouldn short she shady several settled set servicio services service series sense selection thanks thats their waste what were went well weeks week we way was there warrant wants wanted waiting wait vs virtue value whats where while who youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife vaccine ut uses town too told today to tired tipped time tightening tight throughout through this think things thing they these tooo tracking users tried used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under two twice trying retired resume resubscribe needed nonsense nonesence non nice next newest new never need others must multiple much moving moved move months monthly nothing notified now off original or options option opportunity opening opened ontario only oneday one once ok often offset offered offer month monetary moment luck your lower lost losing loose looking long lol locations location ll living live little limiting limited life loyalty make mom makes mistake mind might merge memberships members member medical means me maybe may married market many manservices making other our restriction raised reality reactivate re rather rates rate raising raises raise over quickly putting put pushed provider profits profit profiles really reason recent
Topic 6 | Coherence=-224374.68 | Top words= price the increases your year has company other in after options far ill much to or entertaining increasing too consider biannually like months seems will many for me cancel no over continues offset with each rise rate of increasses pushed edge sight less new constant moving done end creep later more boyfriend resume amount wants location restart under pls ontario why every email paying lower rules twice last greed two may mom vs provider from is get future games garbage everything expected gas feel getting even gf euro girl give given especially entertainment go goes going fuel free expenses expensive fee fees feet few fault fiance gonna fan finally financial financially first family fair fix fixed flat focused fact food face forcing forever forth extra frequent extortion gone have good into it issues issue isnt isn iny intolerable interested itself instead inflation increments increased increase income improvements its jacking if kidding left leave learning layoff laid lack kids kept job keeps keeping keep justify just joint join im idea got hacking havent hardly hard happy hand half had hackednot he hacked guys greedy great grandkids gouging gotten having health husband horrible hungry huge how households household house hosehold holder help history hiking hikes hike higher high her enough youre emails becoming between better benefits benefit being begin before been because biased became be barely bank back awhile away automatically bf biden at budget cancelling canceling can bye by but business buggin broke biggest break both blindly bit bills billings billing bill aunt as cant adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow an amounts amercian am also already almost allowed cannot card elsewhere deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drastically else eliminating el easily earlier duplicate due drive drain disgusting down double dont don doesnt do divorce disgusts customer current care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine currency continually credit covid courtesy country costs cost continuous continue continously combining constantly consolidating connected compromised competitive compared coming come legacy loyal lesser starting stranger stopping stopped stop stepdad stealing stay states started thats start squeeze spouses spouse spending spend span sorry stupid sub subscriber subscribers thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription soon son something set services service series sense selection seen see secure second scaling scales saving save same run rule rotating servicio settled someone several some so situation single since significant signaling sign sick shoves shouldn should short she sharing share shady that their risen way whats what were went well weeks week we waste there was warrant wanted want waiting wait virtue value when where while who youll you yet years yearly yall ya wouldn would worth workable work wont won without willing wife vaccine ut using tracking tooo told today tired tipped times time tightening tight throughout through this think things thing they these town tried uses try users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable trying rising ripped let news notified nothing not nonsense nonesence non nice next newest owner never needed need my must multiple moved move now off offer offered overpriced outside out our others original option opportunity opening opened only oneday one once on ok often monthly month money luck lost losing loose looking longer long lol locations ll living live little limiting limited limit life letting loyalty made monetary make moment mistake mind might merge memberships membership members member medical means maybe married market manservices making makes own owning right rather recession recently recent reason really reality reactivate re rates pagos raising raises raised raise quickly quality putting put rectifying redo reduce
Topic 7 | Coherence=-230448.47 | Top words= one need the do you subscriptions are subscription than price other rates why needed same thing dont have who higher your others only of so in being services forth put guys good two finally was want scales goes tipped direction time house will significant continually to moved we not households selection when lol done financially sick more resume used thats with hard cancel changing by off hacked some combine my ripped aparently household bank stranger merge workable limited enough future feet games garbage gas get entertainment entertaining getting fault few end gf emails fees fee girl give given email elsewhere go else feel far especially fact fuel face fix fixed flat extra extortion fair family expensive expenses expected focused food for everything forcing forever every going first frequent even financial fan from euro fiance free youre gone gonna issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased increase it its itself kept layoff later last laid lack kids kidding keeps jacking keeping keep justify just joint join job income improvements im hacking has hardly el happy hand half had hackednot having greedy greed great grandkids gouging gotten got havent he ill horrible if idea husband hungry huge how hosehold holder health history hiking hikes hike high her help eliminating different edge becoming bf between better benefits benefit begin before been because as became be barely back awhile away automatically aunt biannually biased biden biggest canceling can bye but business buggin budget broke break boyfriend both blindly bit bills billings billing bill at aren easily adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed allow cancelling cannot cant damn declined decisions death deal days day daughter date dad card cutting cut customers customer currently current currency creep delivering deteriorated didnt differences earlier each duplicate due drive drastically drain down double don doesnt divorce disgusts disgusting discontinue disappointed leave credit covid courtesy climbing city choose choice checking cheaper charging charges charged charge changes changed change cell caused caring cared care climb college country combining costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared company coming come learning loyal left sorry started start squeeze spouses spouse spending spend span soon legacy son something someone situation single since signaling sign starting states stay stealing taste talk taking take system switching support summer success subscribers subscriber sub stupid stopping stopped stop stepdad sight shoves shouldn save rules rule rotating rising risen rise right ridiculous return retiring retired resubscribe restriction restrict restart respect residence run saving should scaling short she sharing share shady several settled set servicio service series sense seen seems see secure second temporarily temporary terrible what went well weeks week way waste warrant wants wanted waiting wait vs virtue value vaccine ut using were whats users where youll yet years yearly year yall ya wouldn would worth work wont won without willing wife while uses use thank tooo told today tired times tightening tight throughout through this think things they these there their that thanks too town us tracking upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try tried reside repurposing replace nice news newest new never must multiple much moving move months monthly month money monetary moment mom mistake next no might non opportunity opening opened ontario oneday once on ok often offset offered offer now notified nothing nonsense nonesence mind memberships options losing looking longer long locations location ll living live little limiting limit like life letting let lesser less loose lost membership lower members member medical means me maybe may married market many manservices making makes make made luck loyalty option or rent raises raise quickly quality putting pushed provider profits profit profiles problem pricing prices president prescription prefer preemptively power raised raising por
Topic 8 | Coherence=-218982.51 | Top words= to need change expenses of cut just and billing service date country no down raising unable services my help all market almost drive shouldn month pick increased competitive manservices increase customer prices reducing rent from on per money restriction continously at up off laid use barely drain even new retiring costs looking continue must go death holder squeeze due unneeded account feet keep your sharing willing much get gas getting expensive face gf girl extra give extortion gouging games given expected everything goes every going gone gonna euro especially good got garbage future fact fair flat fixed fix first financially financial finally fiance food for forcing forever few fees feel forth free frequent fee fault far fan family fuel focused gotten having grandkids isn job jacking itself its it issues issue isnt is great iny intolerable into interested instead inflation increments increasses join joint justify keeping life letting let lesser less legacy left leave learning layoff later last lack kids kidding kept keeps increasing increases income high health he havent have has hardly hard happy hand half had hacking hackednot hacked guys greedy greed her higher in hike improvements im ill if idea husband hungry huge how households household house hosehold horrible history hiking hikes entertainment youre entertaining begin biased biannually bf between better benefits benefit being before biggest been becoming because became be bank back awhile biden bill enough business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts access acceptance absurd about agree alarming allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already cant card care deteriorated disgusts disgusting discontinue disappointed direction different differences didnt delivering customers declined decisions deal days day daughter damn dad divorce do doesnt don end emails email elsewhere else eliminating el edge easily earlier each duplicate limit drastically double dont done cutting currently cared charging college climbing climb city choose choice checking cheaper charges current charged charge changing changes changed cell caused caring combine combining come coming currency creep credit covid courtesy cost continuous continues continually constantly constant consolidating consider connected compromised compared company like loyal limited stepdad subscribers subscriber sub stupid stranger stopping stopped stop stealing subscriptions stay states starting started start spouses spouse spending subscription success limiting terrible there their the thats that thanks thank than temporary summer temporarily taste talk taking take system switching support spend span sorry secure set servicio series sense selection seen seems see second soon scaling scales saving save same run rules rule settled several shady share son something someone some so situation single since significant signaling sign sight sick shoves should short she these they thing weeks while where when whats what were went well week wait we way waste was warrant wants wanted want who why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without with waiting vs things tired try tried tracking town tooo too told today tipped virtue times time tightening tight throughout through this think trying twice two under value vaccine ut using uses users used us upward upping upcoming until unnecessary unfortunately unfair unemployed understand rotating rising risen nonsense often offset offered offer now notified nothing not nonesence moved non nice next news newest never needed multiple ok once one oneday own overpriced over outside out our others other original or options option opportunity opening opened ontario only moving move owning loose makes make made luck loyalty lower lost losing longer more long lol locations location ll living live little making many married may months monthly monetary moment mom mistake mind might merge memberships membership members member medical means me maybe owner pagos rise rather recession recently recent reason really reality reactivate re rates provider rate raises raised raise quickly quality putting put rectifying redo reduce reflect
Topic 9 | Coherence=-218682.85 | Top words= price and the up hike since your of has keeps sharing was just member gone going like am selection deteriorated drastically span in it issues that increase profiles future increasing went expected with income months fixed hikes or cost pricing sorry earlier hardly oneday down stopping on financial customer use quality unemployed don retired fee non had have being loyal annually after subscriptions membership became situation changed an set broke flat happy need come caused tracking opportunity entertainment alarming having gotten got havent good allow gonna grandkids allowed goes he go gouging again great hard greed greedy guys hacked hackednot againlater given all half hand agree hacking gf give amount first financially also finally fiance amercian few feet girl amounts fees feel fault far fan family fix already focused food help getting get gas garbage games almost fuel from frequent free forth forever forcing for health higher afford jacking keeping keep justify acceptance joint join job itself iny its access account accounts issue isnt isn absurd kept kidding about life letting let lesser less legacy left leave learning layoff later last laid lack kids is intolerable her horrible huge how households additional household house hosehold holder into history addresses hiking addtional adicional fact high hungry husband idea if interested instead inflation increments increasses acct activities increases increased added adding addition improvements im ill fair expenses face charged awhile choose choice checking cheaper charging charges charge cant changing changes change cell caring cared care city climb climbing college continously constantly constant consolidating automatically away consider connected compromised competitive compared company coming combining combine card cannot extra better bill biggest biden biased biannually bf between benefits cancelling benefit barely begin before be been becoming billing billings bills bit back canceling bank cancel can bye by but business buggin budget break boyfriend both blindly continually continue continues drain easily anticonsumer each duplicate due drive any anymore aunt double anyways dont limit aparently doesnt do edge el eliminating else extortion expensive because another everything every even euro especially entertaining enough end emails email elsewhere divorce disgusts disgusting dad cut customers aren currently as current currency creep credit covid courtesy country costs at continuous cutting damn discontinue date disappointed direction different differences didnt apps delivering declined decisions death deal days day are daughter done youre limited started stranger stopped stop stepdad stealing stay states starting start sub squeeze spouses spouse spending spend soon son something stupid subscriber limiting taste their thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscription someone some so run see secure second scaling scales saving save same rules single rule rotating rising risen rise ripped right ridiculous seems seen sense series significant signaling sign sight sick shoves shouldn should short she share shady several settled servicio services service there these they week while where when whats what were well weeks we virtue way waste warrant wants wanted want waiting wait who why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vs value thing tipped tried town tooo too told today to tired times vaccine time tightening tight throughout through this think things try trying twice two ut using uses users used us upward upping upcoming until unneeded unnecessary unfortunately unfair understand under unable return retiring resume newest nothing not nonsense nonesence no nice next news new more never needed my must multiple much moving moved notified now off offer out our others other original options option opening opened ontario only one once ok often offset offered move monthly over looking make made luck loyalty lower lost losing loose longer month long lol locations location ll living live little makes making manservices many money monetary moment mom mistake mind might merge memberships members medical means me maybe may married market outside overpriced resubscribe raises really reality reactivate re rather rates rate raising raised prices raise quickly putting put pushed provider profits profit reason recent recently recession
Topic 10 | Coherence=-220136.96 | Top words= but it pay is not every to price allowed when increase year good an am seems nothing willing think bank card ok after compromised ill that credit really added high this way afford told can because have charged subscription option being was opportunity cheaper support keeps without currency won before euro you bill last the rising in re wanted at absurd tired greedy yearly charging prefer hardly use cut start unfortunately upping extortion getting get grandkids gas great got give gf gouging girl given go goes going games gone gotten gonna garbage food future expensive fault far fan family fair fact face extra expenses fuel expected everything even especially entertainment entertaining enough end fee feel fees feet from frequent free forth forever forcing for focused flat fixed fix first financially financial finally fiance few greed youre guys issue joint join job jacking itself its issues isnt increasses isn iny intolerable into interested instead inflation just justify keep keeping letting let lesser less legacy left leave learning layoff later laid lack kids kidding kept increments increasing hacked havent hike higher emails help health he having has increases hard happy hand half had hacking hackednot hikes hiking history holder increased income improvements im if idea husband hungry huge how households household house hosehold horrible her discontinue email bills billing biggest biden biased biannually bf between better benefits benefit begin been becoming became be barely back billings bit cell blindly caring cared care cant cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both awhile away automatically aunt alarming agree againlater again adicional addtional addresses additional addition adding activities acct accounts account access acceptance about all allow almost any as aren are apps aparently anyways anymore anticonsumer already another annually and amounts amount amercian also caused change elsewhere divorce disgusting like disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date disgusts do changed doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don damn dad cutting customers compared company coming come combining combine college climbing climb city choose choice checking charges charge changing changes competitive connected consider costs customer currently current creep covid courtesy country cost consolidating continuous continues continue continually continously constantly constant life loyal limit someone spouse spending spend span sorry soon son something some squeeze so situation single since significant signaling sign sight spouses started limited sub take system switching summer success subscriptions subscribers subscriber stupid starting stranger stopping stopped stop stepdad stealing stay states sick shoves shouldn ripped save same run rules rule rotating risen rise right should ridiculous return retiring retired resume resubscribe restriction restrict saving scales scaling second short she sharing share shady several settled set servicio services service series sense selection seen see secure taking talk taste want went well weeks week we waste warrant wants waiting used wait vs virtue value vaccine ut using uses were what whats where youll yet years yall ya wouldn would worth workable work wont with will wife why who while users us temporarily they times time tightening tight throughout through things thing these upward there their thats thanks thank than terrible temporary tipped today too tooo upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try tried tracking town restart respect residence must next news newest new never needed need my multiple monetary much moving moved move more months monthly month nice no non nonesence opening opened ontario only oneday one once on often offset offered offer off of now notified nonsense money moment or longer luck loyalty your lower lost losing loose looking long mom lol locations location ll living live little limiting made make makes making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices options original reside provider raises raised raise quickly quality putting put pushed profits possible profit profiles problem pricing prices president prescription preemptively raising rate rates rather
Topic 11 | Coherence=-219273.75 | Top words= the price you as it many my have time use just this by in new can customer stop months increases back last see moved me youll addtional times upcoming rising raised gotten subscription much opened service duplicate second servicio keeps por el pagos break mistake adicional consider afford before take short like using seems putting feet amount activities repurposing free got its market limited first loyal barely week greedy great grandkids gouging allowed almost already good begin gonna gone going goes go given give girl greed guys getting has help health he having havent all allow hardly hacked hard happy hand half had hacking hackednot gf gas get fee financial finally fiance few amounts fees feel fault high far fan family fair an fact face financially amercian am fix garbage games future fuel from frequent also forth forever forcing for food focused flat fixed her higher and jacking justify access joint join job account accounts itself keeping acct added adding issues issue isnt isn keep acceptance hike leave letting about let lesser less legacy left learning kept layoff later absurd laid lack kids kidding is iny intolerable households alarming if idea husband hungry huge how household into house hosehold horrible holder history hiking hikes ill im improvements agree addition interested instead inflation increments increasses increasing additional addresses increased after increase again income againlater extra extortion being charged automatically choose choice checking cheaper charging charges away climb charge changing changes changed change cell awhile city climbing expensive connected continue continually continously constantly constant consolidating aunt compromised college competitive compared company coming come combining combine caused caring cared biggest becoming been bit bills billings billing bill biden care biased biannually bf between better benefits benefit blindly both boyfriend because card cant cannot cancelling canceling cancel bank bye be but business buggin budget broke became continues continuous cost drain earlier each another anticonsumer due drive drastically down disgusting double dont done life doesnt do divorce easily edge annually eliminating expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else disgusts discontinue costs currently are damn dad cutting cut customers aren at any current currency creep credit covid courtesy country date apps daughter day disappointed direction different differences didnt deteriorated delivering declined decisions anymore death anyways aparently deal days don youre limit start stopping stopped stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stranger stupid sub subscriber that thanks thank than terrible temporary temporarily taste talk taking system switching support summer success subscriptions subscribers something some their run selection seen secure scaling scales saving save same rules so rule rotating risen rise ripped right ridiculous return sense series services set situation single since significant signaling sign sight sick shoves shouldn should she sharing share shady several settled thats there limiting we where when whats what were went well weeks way virtue waste was warrant wants wanted want waiting wait while who why wife yet years yearly year yall ya wouldn would worth workable work wont won without with willing will vs value these tired tried tracking town tooo too told today to tipped vaccine tightening tight throughout through think things thing they try trying twice two ut uses users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring retired resume no of now notified nothing not nonsense nonesence non nice move next news newest never needed need must multiple off offer offered offset our others other original or options option opportunity opening ontario only oneday one once on ok often moving more resubscribe looking made luck loyalty your lower lost losing loose longer monthly long lol locations location ll living live little make makes making manservices month money monetary moment mom mind might merge memberships membership members member medical means maybe may married out outside over raise reality reactivate re rather rates rate raising raises quickly overpriced quality put pushed provider profits profit profiles problem really reason recent
Topic 12 | Coherence=-229402.76 | Top words= price with is to more expensive and so money increases saving life forcing nice keeping especially choice you iny shoves pop face subscriber be make lost deal currently continuous problem can just anymore have up for worth need subscription your me not the sharing waste no of time switching compared others dad would learning rather spend outside coming play go live gf don are summer everything raising short else extra hikes future good got goes gone gonna games garbage gas get getting girl going give given fuel first from frequent fault far fan family fair fact extortion expenses expected every even euro entertainment entertaining enough fee feel fees fixed free forth forever food focused flat fix feet gouging financially financial finally fiance few gotten hardly grandkids job itself its it issues issue isnt isn intolerable into interested instead inflation increments increasses increasing increased increase jacking join great joint let lesser less legacy left leave layoff later last laid lack kids kidding kept keeps keep justify income in improvements im health he having havent has emails hard happy hand half had hacking hackednot hacked guys greedy greed help her high households ill if idea husband hungry huge how household higher house hosehold horrible holder history hiking hike end youre email before biannually bf between better benefits benefit being begin been biden becoming because became barely bank back awhile away biased biggest aunt budget cancelling canceling cancel bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at elsewhere adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as an aren apps aparently anyways any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cannot cant card death direction different differences didnt deteriorated delivering declined decisions days discontinue day daughter date damn cutting cut customers customer disappointed disgusting care drive eliminating el edge easily earlier each duplicate due drastically disgusts drain down double letting done doesnt do divorce current currency creep charged climbing climb city choose checking cheaper charging charges charge credit changing changes changed change cell caused caring cared college combine combining come covid courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected compromised competitive company dont loyal like started stopping stopped stop stepdad stealing stay states starting start someone squeeze spouses spouse spending span sorry soon son stranger stupid sub subscribers their thats that thanks thank than terrible temporary temporarily taste talk taking take system support success subscriptions something some return same seen seems see secure second scaling scales save run situation rules rule rotating rising risen rise ripped right selection sense series service single since significant signaling sign sight sick shouldn should she share shady several settled set servicio services there these they way whats what were went well weeks week we was thing warrant wants wanted want waiting wait vs virtue when where while who youll yet years yearly year yall ya wouldn workable work wont won without willing will wife why value vaccine ut trying tried tracking town tooo too told today tired tipped times tightening tight throughout through this think things try twice using two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring limit news off now notified nothing nonsense nonesence non next newest move new never needed my must multiple much moving offer offered offset often out our other original or options option opportunity opening opened ontario only oneday one once on ok moved months retired longer makes made luck loyalty lower losing loose looking long monthly lol locations location ll living little limiting limited making manservices many market month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married over overpriced own raises recent reason really reality reactivate re rates rate raised owner raise quickly quality putting put pushed provider profits recently recession rectifying
Topic 13 | Coherence=-226833.22 | Top words= and price subscription will to is my we different you in where the change have increases use ridiculous good pay upcoming be locations many anticonsumer fee live canceling two am me that luck on increments why checking greed access since cancel membership mom won want places restrict both able addresses acceptance reality lack going users with between issues personal having financial some service never moving buggin spend upping opening pick caused blindly expensive their consolidating redo member from frequent fuel future free forth layoff forever isn gas games garbage for get getting gf girl later give given go last goes forcing first food family fact legacy face extra extortion expenses expected everything every even euro especially entertainment entertaining enough fair fan focused far flat fixed fix gonna financially finally fiance few feet learning fees feel leave left fault gone greedy laid horrible improvements im ill if joint idea husband just hungry huge how households household house justify join income increase inflation intolerable isnt into issue interested instead it increased increasses its increasing itself jacking job hosehold holder got keep hardly hard happy hand half had hacking hackednot hacked guys iny great grandkids gouging gotten has kids kidding high history keeping hiking hikes hike higher keeps kept emails her help health he havent end doesnt email being biggest biden biased biannually bf better benefits benefit begin away before been becoming because became barely bank back bill billing billings bills caring cared care card cant cannot cancelling can bye by but business budget broke break boyfriend bit awhile automatically elsewhere additional alarming agree againlater again after afford adicional addtional addition aunt adding added activities acct accounts account absurd about all allow allowed almost at as aren are apps aparently anyways anymore any another annually an amounts amount amercian also already cell changed changes declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions changing death deal days day daughter date damn dad disgusts divorce do lesser else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don cutting cut customers compromised compared company coming come combining combine college climbing climb city choose choice cheaper charging charges charged charge competitive connected customer consider currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant less youre let spending stay states starting started start squeeze spouses spouse span terrible sorry soon son something someone so situation single stealing stepdad stop stopped temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping significant signaling sign see second scaling scales saving save same run rules rule rotating rising risen rise ripped right return retiring secure seems sight seen sick shoves shouldn should short she sharing share shady several settled set servicio services series sense selection temporary than resume warrant were went well weeks week way waste was wants thank wanted waiting wait vs virtue value vaccine ut what whats when while youll yet years yearly year yall ya wouldn would worth workable work wont without willing wife who using uses used told tired tipped times time tightening tight throughout through this think things thing they these there thats thanks today too us tooo upward up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try tried tracking town retired resubscribe letting newest not nonsense nonesence non no nice next news new others needed need must multiple much moved move more nothing notified now of original or options option opportunity opened ontario only oneday one once ok often offset offered offer off months monthly month loyalty lower lost losing loose looking longer long lol location ll living little limiting limited limit like life your made money make monetary moment mistake mind might merge memberships members medical means maybe may married market manservices making makes other our restriction quality rather rates rate raising raises raised raise quickly putting out put pushed provider profits profit profiles problem pricing re reactivate really
Topic 14 | Coherence=-220507.47 | Top words= increase prices is and starting profit additional last greedy raising profiles just after year charge for to subscription of passed away sharing bye talk recent limited budget my will with account this she damn owner tightening return againlater the these has had lost yall mind mom paying extra parent anymore owning becoming person aunt quality disgusts bank caring agree great getting get grandkids gf gas gouging garbage girl gotten got good give given gonna go gone going goes games fixed future fee far fan family fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining fault feel fuel fees from frequent free forth forever forcing food focused flat fix first financially financial finally fiance few feet greed he guys keep joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation justify keeping increasses keeps like life letting let lesser less legacy left leave learning layoff later laid lack kids kidding kept increments increasing hacked hiking hike higher high her help health end having havent have hardly hard happy hand half hacking hackednot hikes history increases holder increased income in improvements im ill if idea husband hungry huge how households household house hosehold horrible enough youre emails between billings billing bill biggest biden biased biannually bf better bit benefits benefit being begin before been because became bills blindly email canceling cell caused cared care card cant cannot cancelling cancel both can by but business buggin broke break boyfriend be barely back addition allow all alarming again afford adicional addtional addresses adding awhile added activities acct accounts access acceptance absurd about allowed almost already also automatically at as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am change changed changes delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cut decisions death deal days day daughter date dad divorce do doesnt don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done cutting customers changing climbing competitive compared company coming come combining combine college climb customer city choose choice checking cheaper charging charges charged compromised connected consider consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant limit loyal limiting start stopping stopped stop stepdad stealing stay states started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub ripped taste thats that thanks thank than terrible temporary temporarily taking subscriber take system switching support summer success subscriptions subscribers something someone some scales sense selection seen seems see secure second scaling saving so save same run rules rule rotating rising risen series service services servicio situation single since significant signaling sign sight sick shoves shouldn should short share shady several settled set their there they way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs when where while who youll you yet years yearly ya wouldn would worth workable work wont won without willing wife why virtue vaccine thing today trying try tried tracking town tooo too told tired ut tipped times time tight throughout through think things twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise right little newest not nonsense nonesence non no nice next news new notified never needed need must multiple much moving moved nothing now ridiculous only original or options option opportunity opening opened ontario oneday off one once on ok often offset offered offer move more months loose makes make made luck loyalty your lower losing looking monthly longer long lol locations location ll living live making manservices many market month money monetary moment mistake might merge memberships membership members member medical means me maybe may married other others our rates recession recently reason really reality reactivate re rather rate problem raises raised raise quickly putting put pushed provider rectifying redo reduce reducing
Topic 15 | Coherence=-231698.71 | Top words= it and you to afford my keep now time can this anymore at price that for raising cant re job charge are kids not share going in have another customers make us guys more pay business due dont resubscribe sense month well doesnt decisions making right unfair losing lost city intolerable don letting prices by caused thanks live inflation when president biden upping fault extortion just using want amounts choose focused huge too start vaccine aren has interested apps declined few used every worth again value we back fan fees addtional less on getting get extra expenses gf gas expensive first girl garbage expected everything even given go goes gone euro gonna good got give face games future financially financial finally fiance fixed gouging feet flat feel food forcing forever forth fee free frequent far family fair from fact fix fuel gotten hikes grandkids jacking its issues issue isnt isn is iny into instead increments increasses increasing increases increased increase itself join great joint lesser legacy left leave learning layoff later last laid lack kidding kept keeps keeping justify income improvements im ill health he having havent hardly hard happy hand half had hacking hackednot hacked greedy greed help her high household if idea husband hungry how households house higher hosehold horrible holder history hiking hike especially youre entertainment bills billing bill biggest biased biannually bf between better benefits benefit being begin before been becoming because became billings bit changed blindly cell caring cared care card cannot cancelling canceling cancel bye but buggin budget broke break boyfriend both be barely bank awhile agree againlater after adicional addresses additional addition adding added activities acct accounts account access acceptance absurd about alarming all allow anticonsumer away automatically aunt as aparently anyways any annually allowed an amount amercian am also already almost change changes entertaining let disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering death deal days day daughter date damn divorce done changing double enough end emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down dad cutting cut customer compromised competitive compared company coming come combining combine college climbing climb choice checking cheaper charging charges charged connected consider consolidating country currently current currency creep credit covid courtesy costs constant cost continuous continues continue continually continously constantly do loyal life span states starting started squeeze spouses spouse spending spend sorry significant soon son something someone some so situation single stay stealing stepdad stop talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped since signaling like rule second scaling scales saving save same run rules rotating sign rising risen rise ripped ridiculous return retiring retired secure see seems seen sight sick shoves shouldn should short she sharing shady several settled set servicio services service series selection taste temporarily temporary waste where whats what were went weeks week way was terrible warrant wants wanted waiting wait vs virtue ut while who why wife youll yet years yearly year yall ya wouldn would workable work wont won without with willing will uses users use today tipped times tightening tight throughout through think things thing they these there their the thats thank than tired told upward tooo upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying try tried tracking town resume restriction restrict new nonsense nonesence non no nice next news newest never others needed need must multiple much moving moved move nothing notified of off original or options option opportunity opening opened ontario only oneday one once ok often offset offered offer months monthly money makes luck loyalty your lower loose looking longer long lol locations location ll living little limiting limited limit made manservices monetary many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market other our restart putting rather rates rate raises raised raise quickly quality put out pushed provider profits profit profiles problem pricing prescription reactivate reality really
Topic 16 | Coherence=-212024.51 | Top words= subscription my to was do not so that just have bill pay automatically it wanted because is charged ill without card compromised option told credit after an bank today hacked enough warrant notified think use you stranger cost limited letting climb climbing fair give gone garbage goes greedy greed great going gas go get grandkids hackednot given gouging guys gotten got good gonna getting gf girl games youre future expected far fan family fact face extra extortion expensive expenses everything fuel every even euro especially entertainment entertaining end emails email fault fee feel fees from frequent free forth forever hacking for food focused flat fixed fix first financially financial finally fiance few feet forcing her had jacking kept keeps keeping keep justify joint join job itself half its issues issue isnt isn iny intolerable into kidding kids lack laid living live little limiting limit like life let lesser less legacy left leave learning layoff later last interested instead inflation horrible history hiking hikes hike higher high else help health he having havent has hardly hard happy hand holder hosehold increments house increasses increasing increases increased increase income in improvements im if idea husband hungry huge how households household elsewhere done eliminating before biannually bf between better benefits benefit being begin been as becoming became be barely back awhile away aunt biased biden biggest billing canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills billings at aren cannot adding againlater again afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also already almost allowed cancelling cant el deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont location don doesnt divorce disgusts customer current care charges combine college city choose choice checking cheaper charging charge currency changing changes changed change cell caused caring cared combining come coming company creep covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected competitive compared ll loyal locations lol stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something someone some situation stepdad stop stopped system than terrible temporary temporarily taste talk taking take switching stopping support summer success subscriptions subscribers subscriber sub stupid single since significant run see secure second scaling scales saving save same rules seen rule rotating rising risen rise ripped right ridiculous seems selection signaling sharing sign sight sick shoves shouldn should short she share sense shady several settled set servicio services service series thank thanks thats we when whats what were went well weeks week way while waste wants want waiting wait vs virtue value where who ut would youll yet years yearly year yall ya wouldn worth why workable work wont won with willing will wife vaccine using the tight town tooo too tired tipped times time tightening throughout tried through this things thing they these there their tracking try uses unneeded users used us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice return retiring retired no offer off of now nothing nonsense nonesence non nice offset next news newest new never needed need must offered often much options over outside out our others other original or opportunity ok opening opened ontario only oneday one once on multiple moving own luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced owner resume raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently profiles replace resubscribe restriction
Topic 17 | Coherence=-222223.69 | Top words= company its disgusting extortion my different but taste youre family bill greedy me about have pay charge subscriptions are extra for with to service don moved in provider of your through who phone is will tired subscribers games get getting subscriber playing son am connected news free increase now cheaper replace agree happy cell states just charging caused house forever forth left forcing legacy frequent less food from focused fuel flat future into fixed gas gonna laid last gone going goes go later given give layoff girl gf learning leave garbage first fix every face limited limiting expensive expenses expected everything even lesser euro especially entertainment entertaining enough end emails fact limit fair like financially financial finally let fiance few feet fees letting feel fee fault life far fan good gouging got how husband hungry issues it itself huge households if jacking job household hosehold horrible holder idea ill join increasing interested instead inflation increments iny increasses increases im increased isn isnt income issue improvements history hiking gotten hacked hacking keeping keeps kept kidding hackednot guys keep kids greed lack great grandkids intolerable had half hikes health joint hike higher high her help he hand having havent email hardly justify hard has down elsewhere been bf between better benefits benefit being begin before becoming aunt because became be barely bank back awhile away biannually biased biden biggest canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills billings billing automatically at cannot addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts account access acceptance absurd alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost cancelling cant else deal direction differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers disappointed discontinue disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain live double dont done doesnt do customer current card checking combining combine college climbing climb city choose choice charges currency charged changing changes changed change caring cared care come coming compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider compromised little loyal living start stopping stopped stop stepdad stealing stay starting started squeeze stupid spouses spouse spending spend span sorry soon something stranger sub some temporary their the thats that thanks thank than terrible temporarily subscription talk taking take system switching support summer success someone so right saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set there these they way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while thing wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife virtue value vaccine today trying try tried tracking town tooo too told tipped ut times time tightening tight throughout this think things twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped ridiculous ll non offered offer off notified nothing not nonsense nonesence no often nice next newest new never needed need must offset ok much options over outside out our others other original or option on opportunity opening opened ontario only oneday one once multiple moving return lower many manservices making makes make made luck loyalty lost married losing loose looking longer long lol locations location market may move mistake more months monthly month money monetary moment mom mind maybe might merge memberships membership members member medical means overpriced own owner rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying owning residence retiring
Topic 18 | Coherence=-221650.48 | Top words= the your too now subscription many access you why checking am greed be increments luck is canceling have where using people it cancel month options an another didnt let me first and increase don cannot over subscriptions business taking multiple ll users im through time reflect waste face second billings per getting gas gf get hacking hackednot girl garbage goes give given go gotten hacked going gone guys gonna greedy great good grandkids gouging got games youre future fuel far fan family fair fact extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end fault fee feel focused from frequent free forth forever forcing for food flat fees fixed fix financially financial finally fiance few feet had higher half jacking keeping keep justify just joint join job itself kept its issues issue isnt isn iny intolerable keeps kidding interested legacy limited limit like life letting lesser less left kids leave learning layoff later last laid lack into instead hand help history hiking hikes hike email high her health horrible he having havent has hardly hard happy holder hosehold inflation ill increasses increasing increases increased income in improvements if house idea husband hungry huge how households household emails double elsewhere begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank back awhile biden bill caused but cared care card cant cancelling can bye by buggin billing budget broke break boyfriend both blindly bit bills away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts account acceptance absurd about agree alarming all allow as aren are apps aparently anyways anymore any anticonsumer annually amounts amount amercian also already almost allowed caring cell else deal direction different differences deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting change drive eliminating el edge easily earlier each duplicate due drastically disgusts drain down little dont done doesnt do divorce customer currently current choose coming come combining combine college climbing climb city choice currency cheaper charging charges charged charge changing changes changed company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected limiting loyal live spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping so take thanks thank than terrible temporary temporarily taste talk system stranger switching support summer success subscribers subscriber sub stupid some situation living save selection seen seems see secure scaling scales saving same series run rules rule rotating rising risen rise ripped sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio that thats their way whats what were went well weeks week we was while warrant wants wanted want waiting wait vs virtue when who there would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will value vaccine ut times tracking town tooo told today to tired tipped tightening uses tight throughout this think things thing they these tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right ridiculous return non offer off of notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered often owner option overpriced outside out our others other original or opportunity ok opening opened ontario only oneday one once on my must much lower married market manservices making makes make made loyalty lost moving losing loose looking longer long lol locations location may maybe means medical moved move more months monthly money monetary moment mom mistake mind might merge memberships membership members member own owning retiring raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession pagos reside retired
Topic 19 | Coherence=-225534.81 | Top words= you for sharing and the to that pay people from more prices charge want will greed me charging even new keep stop your guys subscriptions loose just fee continue they out something because squeeze how taste raise yet try youre got company what cant is go don disgusting won fair declined like nothing already kids disgusts caring card care cheaper seen done garbage why stopping tracking are fees good extortion extra fix gonna gone face going fact goes expensive expected expenses fan everything gotten gouging every grandkids great euro especially entertainment entertaining enough end family feel far fiance greedy first focused food forcing forever financially forth financial free finally frequent few fault fuel future games feet gas get getting gf girl give given fixed flat hard hacked joint job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses join justify hackednot keeping life letting let lesser less legacy left leave learning layoff later last laid lack kidding kept keeps increasing increases increased increase higher high her help health he having havent have has hardly email happy hand half had hacking hike hikes hiking husband income in improvements im ill if idea hungry history huge households household house hosehold horrible holder emails do elsewhere becoming between better benefits benefit being begin before been became cancel be barely bank back awhile away automatically aunt bf biannually biased biden bye by but business buggin budget broke break boyfriend both blindly bit bills billings billing bill biggest at as aren againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree apps alarming aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also almost allowed allow all can canceling else day differences didnt deteriorated delivering decisions death deal days daughter cancelling date damn dad cutting cut customers customer currently different direction disappointed discontinue eliminating el edge easily earlier each duplicate due drive drastically drain down double dont doesnt limited divorce current currency creep combining college climbing climb city choose choice checking charges charged changing changes changed change cell caused cared cannot combine come credit coming covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive compared limit loyal limiting span states starting started start spouses spouse spending spend sorry stealing soon son someone some so situation single since stay stepdad resubscribe switching than terrible temporary temporarily talk taking take system support stopped summer success subscription subscribers subscriber sub stupid stranger significant signaling sign rotating scaling scales saving save same run rules rule rising sight risen rise ripped right ridiculous return retiring retired second secure see seems sick shoves shouldn should short she share shady several settled set servicio services service series sense selection thank thanks thats was were went well weeks week we way waste warrant using wants wanted waiting wait vs virtue value vaccine whats when where while youll years yearly year yall ya wouldn would worth workable work wont without with willing wife who ut uses their tightening tooo too told today tired tipped times time tight users throughout through this think things thing these there town tried trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two resume restriction little news notified not nonsense nonesence non no nice next newest of never needed need my must multiple much moving now off restrict ontario other original or options option opportunity opening opened only offer oneday one once on ok often offset offered moved move months losing making makes make made luck loyalty lower lost looking monthly longer long lol locations location ll living live manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may others our outside quickly reactivate re rather rates rate raising raises raised quality price putting put pushed provider profits profit profiles problem reality really reason recent
Topic 20 | Coherence=-219150.99 | Top words= be back will to of break taking need when the can end payment ll month move we and got just money laid off again bit moved start platform time using saving us getting for else another there ill awhile accounts come combining rotating broke something now way married monetary might repurposing enough summer join week instead switching get layoff later few date parents currency future own provider fixed face extortion gf girl give given go goes going expensive gone expenses expected everything every gonna good even gotten gouging euro especially entertainment entertaining grandkids great greed extra fact flat from focused food greedy first financially forcing financial forever forth free frequent finally fuel fair fiance feet fees feel games garbage fee gas fault far fan family fix youre guys hacked itself its it issues issue isnt isn is iny intolerable into interested inflation increments increasses increasing increases jacking job joint learning letting let lesser less legacy left leave last justify lack kids kidding kept keeps keeping keep increased increase income has her help health he having havent have hardly higher hard happy hand half had hacking hackednot emails hike in how improvements im if idea husband hungry huge households hikes household house hosehold horrible holder history hiking high dont email being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank away biggest billing elsewhere bye cared care card cant cannot cancelling canceling cancel by billings but business buggin budget boyfriend both blindly bills automatically aunt at addition agree againlater after afford adicional addtional addresses additional adding as added activities acct account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost caring caused cell declined discontinue disappointed direction different differences didnt deteriorated delivering decisions customers death deal days day daughter damn dad cutting disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double like done don doesnt cut customer change choice company coming combine college climbing climb city choose checking currently cheaper charging charges charged charge changing changes changed compared competitive compromised connected current creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider life loyal limit spouses stop stepdad stealing stay states starting started squeeze spouse situation spending spend span sorry soon son someone some stopped stopping stranger stupid thanks thank than terrible temporary temporarily taste talk take system support success subscriptions subscription subscribers subscriber sub so single thats save selection seen seems see secure second scaling scales same since run rules rule rising risen rise ripped right sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio that their return waste while where whats what were went well weeks was vaccine warrant wants wanted want waiting wait vs virtue who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with value ut these times tracking town tooo too told today tired tipped tightening uses tight throughout through this think things thing they tried try trying twice users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring limited nice offer notified nothing not nonsense nonesence non no next moving news newest new never needed my must multiple offered offset often ok out our others other original or options option opportunity opening opened ontario only oneday one once on much more over looking made luck loyalty your lower lost losing loose longer months long lol locations location living live little limiting make makes making manservices monthly moment mom mistake mind merge memberships membership members member medical means me maybe may market many outside overpriced retired raising reason really reality reactivate re rather rates rate raises profiles raised raise quickly quality putting put pushed profits recent recently recession rectifying
Topic 21 | Coherence=-229574.92 | Top words= price the worth not it enough to increase no keep service raising longer increases used good for and with currently value cost money do be expensive way too what agree like increasing paying but anymore getting fault your up dont changes given policy isnt raised thanks amount frequent justify days damn made customers jacking cant every increased horrible offered higher due signaling renewing political virtue isn long greedy that vs much talk am waste rates while less climbing if drive just competitive free goes forth forever from going entertainment gas give girl gf fuel gone go games garbage get future expenses especially everything extortion extra face fact fair family expected fan far fee feel fees feet few forcing gonna fiance finally financial financially first fix fixed flat even focused euro food youre he got intolerable job itself its issues issue is iny into im interested instead inflation increments increasses income in join joint keeping keeps letting let lesser legacy left leave learning layoff later last laid lack kids kidding kept improvements ill gotten had have has hardly hard happy hand half hacking idea hackednot hacked guys greed great grandkids gouging havent having health help husband hungry huge how households household house hosehold holder history hiking hikes hike high her entertaining done end before biannually bf between better benefits benefit being begin been cannot becoming because became barely bank back awhile away biased biden biggest bill canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills billings billing automatically aunt at againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again alarming as all aren are apps aparently anyways any anticonsumer another annually an amounts amercian also already almost allowed allow cancelling card emails death direction different differences didnt deteriorated delivering declined decisions deal care day daughter date dad cutting cut customer current disappointed discontinue disgusting disgusts email elsewhere else eliminating el edge easily earlier each duplicate drastically drain down double don doesnt divorce currency creep credit combine climb city choose choice checking cheaper charging charges charged charge changing changed change cell caused caring cared college combining covid come courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised compared company coming life loyal limit spending stay states starting started start squeeze spouses spouse spend single span sorry soon son something someone some so stealing stepdad stop stopped temporarily taste taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping situation since terrible run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped right ridiculous seems seen selection sense sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services series temporary than retiring was when whats were went well weeks week we warrant users wants wanted want waiting wait vaccine ut using where who why wife youll you yet years yearly year yall ya wouldn would workable work wont won without willing will uses use thank through today tired tipped times time tightening tight throughout this us think things thing they these there their thats told tooo town tracking upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried return retired limited newest notified nothing nonsense nonesence non nice next news new more never needed need my must multiple moving moved now of off offer other original or options option opportunity opening opened ontario only oneday one once on ok often offset move months our loose making makes make luck loyalty lower lost losing looking monthly lol locations location ll living live little limiting manservices many market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may others out resume quickly really reality reactivate re rather rate raises raise quality prices putting put pushed provider profits profit profiles problem reason recent recently recession
Topic 22 | Coherence=-226956.72 | Top words= the price of and are for too to increases greedy hikes my out is getting different sharing want country hand lack charges newest be constant location everything ridiculous current changed else selection currency much already terrible life people addition moved far quality got reality tired service in moving another just reflect girl ya bye often times issues absurd not ontario gouging like letting ok increments horrible options subscription sick so time became every extortion expenses extra gf get gas expected expensive go give given garbage even euro especially entertainment goes going gone entertaining gonna enough good face fixed fact from first flat focused food financially forcing forever forth financial free finally frequent fiance games few feet fees feel fee fault fuel fan future family fair fix gotten he grandkids isn job jacking itself its it issue isnt iny joint intolerable into interested instead inflation increasses increasing join justify great layoff let lesser less legacy left leave learning later keep last laid kids kidding kept keeps keeping increased increase income hard help health having havent have has hardly happy improvements half had hacking hackednot hacked guys greed her high higher hike im ill if idea husband hungry huge how households household house hosehold holder history hiking end youre emails benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because barely bank back bill billings email but card cant cannot cancelling canceling cancel can by business bills buggin budget broke break boyfriend both blindly bit awhile away automatically additional agree againlater again after afford adicional addtional addresses adding aunt added activities acct accounts account access acceptance about alarming all allow allowed at as aren apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also almost care cared caring declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusts divorce do doesnt elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down limit dont done don cutting customers caused choice come combining combine college climbing climb city choose checking customer cheaper charging charged charge changing changes change cell coming company compared competitive currently creep credit covid courtesy costs cost continuous continues continue continually continously constantly consolidating consider connected compromised double loyal limited starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber limiting taste their thats that thanks thank than temporary temporarily talk subscribers taking take system switching support summer success subscriptions soon son something saving sense seen seems see secure second scaling scales save someone same run rules rule rotating rising risen rise series services servicio set some situation single since significant signaling sign sight shoves shouldn should short she share shady several settled there these they weeks while where when whats what were went well week vs we way waste was warrant wants wanted waiting who why wife will youll you yet years yearly year yall wouldn would worth workable work wont won without with willing wait virtue thing told two twice trying try tried tracking town tooo today value tipped tightening tight throughout through this think things unable under understand unemployed vaccine ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair ripped right return news notified nothing nonsense nonesence non no nice next new month never needed need must multiple move more months now off offer offered over outside our others other original or option opportunity opening opened only oneday one once on offset monthly money own loose make made luck loyalty your lower lost losing looking monetary longer long lol locations ll living live little makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market overpriced owner retiring raising recent reason really reactivate re rather rates rate raises profiles raised raise quickly putting put pushed provider profits recently recession rectifying redo
Topic 23 | Coherence=-238702.87 | Top words= to price and not don the money for it as need use continues increase anymore other services save more trying is much dont just have benefit added using go enough up climb want better willing possible do prices now something support with are great options on get am some paying fees reduce another spend spending cut bills months right adding change subscription several weeks my idea been charges discontinue from original prefer ridiculous me outside currently limit often feet platforms service redo into recent yet youll states in keeping food increases increased few fiance finally financial later financially first fix fixed flat focused last feel its itself forcing income laid forever forth improvements free frequent im fuel future layoff fee garbage issues entertaining entertainment especially isn euro even every interested instead everything expected expenses expensive extortion extra face fact fair family isnt fan learning inflation increments far fault increasses increasing issue games ill history household hackednot hacking keep had house hosehold horrible half end hand happy hard hardly has holder kidding havent kept having he health keeps help her high higher hike hikes hiking hacked guys gas greedy lack if getting gf girl give given husband hungry goes huge going gone gonna jacking job join good got gotten kids how gouging intolerable joint households grandkids justify greed iny youre emails benefits billing bill biggest biden biased biannually bf between being email begin before becoming because became be barely bank billings bit blindly both care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend back awhile away alarming againlater again after afford adicional addtional addresses additional addition activities acct accounts account access acceptance absurd about agree all automatically allow aunt at aren apps aparently anyways any anticonsumer annually an amounts amount amercian also already almost allowed cared caring caused disgusts disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad disgusting divorce customers left elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double done doesnt cutting customer cell compared coming come combining combine college climbing city choose choice checking cheaper charging charged charge changing changes changed company competitive current compromised currency creep credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected leave loyal legacy start stopping stopped stop stepdad stealing stay starting started squeeze less spouses spouse span sorry soon son someone so stranger stupid sub subscriber that thanks thank than terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscribers situation single since seems secure second scaling scales saving same run rules rule rotating rising risen rise ripped return retiring retired see seen significant selection signaling sign sight sick shoves shouldn should short she sharing share shady settled set servicio series sense thats their there where whats what were went well week we way waste was warrant wants wanted waiting wait vs virtue when while vaccine who you years yearly year yall ya wouldn would worth workable work wont won without will wife why value ut these tracking tooo too told today tired tipped times time tightening tight throughout through this think things thing they town tried uses try users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume resubscribe restriction nice news newest new never needed must multiple moving moved move monthly month monetary moment mom mistake mind next no merge non opening opened ontario only oneday one once ok offset offered offer off of notified nothing nonsense nonesence might memberships option losing looking longer long lol locations location ll living live little limiting limited like life letting let lesser loose lost membership lower members member medical means maybe may married market many manservices making makes make made luck loyalty your opportunity or restrict re rates rate raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem pricing rather reactivate prescription
Topic 24 | Coherence=-232716.48 | Top words= extra charging share you of to the hikes price many because greedy your also subscriptions not way past money years few fan over with my me out cant without newest hike grandkids stay don subscription an family won when at work months town currently re moment power losing yet so reside temporary one much guys good from got garbage games future gouging fuel gonna gas goes get given getting going greed gf girl great gotten go give gone youre frequent fair face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere fact far free fault forth forever forcing for food focused flat fix first financially financial finally fiance feet fees feel fee fixed having hacked just join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation joint justify increasses keep let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping increments increasing hackednot history higher high her help health he eliminating havent have has hardly hard happy hand half had hacking hiking holder increases horrible increased increase income in improvements im ill if idea husband hungry huge how households household house hosehold else dont el edge biased biannually bf between better benefits benefit being begin before been becoming became be barely bank back awhile away biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt as adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another and all amounts amount amercian am already almost allowed allow cannot card care day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer current differences direction creep down easily earlier each duplicate due drive drastically drain double disappointed life done doesnt do divorce disgusts disgusting discontinue currency credit cared charges college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company letting loyal like spouse stepdad stealing states starting started start squeeze spouses spending single spend span sorry soon son something someone some stop stopped stopping stranger thank than terrible temporarily taste talk taking take system switching support summer success subscribers subscriber sub stupid situation since that same seems see secure second scaling scales saving save run significant rules rule rotating rising risen rise ripped right seen selection sense series signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services service thanks thats limit wanted well weeks week we waste was warrant wants want users waiting wait vs virtue value vaccine ut using went were what whats youll yearly year yall ya wouldn would worth workable wont willing will wife why who while where uses used their tight too told today tired tipped times time tightening throughout use through this think things thing they these there tooo tracking tried try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ridiculous return retiring nice off now notified nothing nonsense nonesence non no next move news new never needed need must multiple moving offer offered offset often outside our others other original or options option opportunity opening opened ontario only oneday once on ok moved more retired long made luck loyalty lower lost loose looking longer lol monthly locations location ll living live little limiting limited make makes making manservices month monetary mom mistake mind might merge memberships membership members member medical means maybe may married market overpriced own owner raises reason really reality reactivate rather rates rate raising raised owning raise quickly quality putting put pushed provider profits recent recently recession
Topic 25 | Coherence=-218250.44 | Top words= prices you are raising it your constantly or stop elsewhere take business other biannually gonna my will year company reason any price seems entertaining far ridiculous after improvements differences without because ill if increasing consider twice fees kidding kept please options keep afford history every longer cannot months throughout profits raises monthly politically damn biased is rate buggin between going rising that worth get gone future goes go given give from gouging good getting gotten girl gf games garbage got gas fuel first frequent fee fan family fair fact face extra extortion expensive expenses expected everything even euro especially entertainment fault feel free feet forth forever forcing for food focused flat fixed fix great financially financial finally fiance few grandkids having greed justify joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments just keeping greedy keeps limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids increasses increases increased increase help health he end havent have has hardly hard happy hand half had hacking hackednot hacked guys her high higher how income in im idea husband hungry huge households hike household house hosehold horrible holder hiking hikes enough youre emails before biggest biden bf better benefits benefit being begin been billing becoming became be barely bank back awhile away bill billings caused bye cared care card cant cancelling canceling cancel can by bills but budget broke break boyfriend both blindly bit automatically aunt at adding agree againlater again adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about alarming all allow allowed aren apps aparently anyways anymore anticonsumer another annually and an amounts amount amercian am also already almost caring cell email declined disgusting discontinue disappointed direction different didnt deteriorated delivering decisions divorce death deal days day daughter date dad cutting disgusts do change due else eliminating el edge easily earlier each duplicate drive doesnt drastically limiting drain down double dont done don cut customers customer choice come combining combine college climbing climb city choose checking currently cheaper charging charges charged charge changing changes changed coming compared competitive compromised current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating connected limited loyal little started stranger stopping stopped stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber there taste the thats thanks thank than terrible temporary temporarily talk subscribers taking system switching support summer success subscriptions subscription son something someone second services service series sense selection seen see secure scaling some scales saving save same run rules rule rotating servicio set settled several so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady their these live was were went well weeks week we way waste warrant whats wants wanted want waiting wait vs virtue value what when they workable youll yet years yearly yall ya wouldn would work where wont won with willing wife why who while vaccine ut using tipped tracking town tooo too told today to tired times uses time tightening tight through this think things thing tried try trying two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable risen rise ripped next notified nothing not nonsense nonesence non no nice news of newest new never needed need must multiple much now off right ontario out our others original option opportunity opening opened only offer oneday one once on ok often offset offered moving moved move lost manservices making makes make made luck loyalty lower losing more loose looking long lol locations location ll living many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe outside over overpriced rather rectifying recession recently recent really reality reactivate re rates profiles raised raise quickly quality putting put pushed provider redo reduce reducing reflect
Topic 26 | Coherence=-228387.38 | Top words= to you prices only that if this high are keep the it not good with up back will bye fact enough consider greedy me being email cared want issue makes about leave hiking wouldn forever were rectifying understand give means reactivate begin never months again come what ll re us of when have really price limiting due household cut canceling gas series these popular using piracy access living currently bills but daughter use single trying second much everything putting afford subscriptions medical quality business hacked itself constant upping from going goes even free frequent gf go given girl fuel euro entertainment future games garbage get getting especially entertaining expenses forth every far fault fee feel fees family feet few fiance gone financial financially first fair face extra fix extortion fixed flat focused food expensive for forcing fan expected finally youre gonna instead isnt isn is iny intolerable into interested inflation got increments increasses increasing increases increased increase income issues its jacking job learning layoff later last laid lack kids kidding kept keeps keeping justify just joint join in improvements im having has hardly hard happy hand half had hacking hackednot guys greed great grandkids gouging gotten havent he ill health idea husband hungry huge how households house hosehold horrible holder history hikes hike higher her help do end before biden biased biannually bf between better benefits benefit been emails becoming because became be barely bank awhile away biggest bill billing billings caring care card cant cannot cancelling cancel can by buggin budget broke break boyfriend both blindly bit automatically aunt at allow alarming agree againlater after adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd all allowed as almost aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already caused cell change divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day date damn disgusts legacy cutting doesnt elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double dont done don dad customers changed compared coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes company competitive customer compromised current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating connected left loyal less sorry started start squeeze spouses spouse spending spend span soon taste son something someone some so situation since significant starting states stay stealing taking take system switching support summer success subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad signaling sign sight secure scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired scaling see sick seems shoves shouldn should short she sharing share shady several settled set servicio services service sense selection seen talk temporarily lesser warrant went well weeks week we way waste was wants temporary wanted waiting wait vs virtue value vaccine ut whats where while who youll yet years yearly year yall ya would worth workable work wont won without willing wife why uses users used tired times time tightening tight throughout through think things thing they there their thats thanks thank than terrible tipped today upward told upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice try tried tracking town tooo too resume resubscribe restriction need non no nice next news newest new needed my restrict must multiple moving moved move more monthly month nonesence nonsense nothing notified options option opportunity opening opened ontario oneday one once on ok often offset offered offer off now money monetary moment your lost losing loose looking longer long lol locations location live little limited limit like life letting let lower loyalty mom luck mistake mind might merge memberships membership members member maybe may married market many manservices making make made or original other rather rate raising raises raised raise quickly put pushed provider profits profit profiles problem pricing president prescription prefer rates reality power
Topic 27 | Coherence=-228429.69 | Top words= for the subscription gonna if out have money in now this and is people not prices charging im other better was charge months budget raising youre few so reason kept come back try using no services tight once ill only cheaper good spending been its happy respect legacy members run but up poland amercian subscriptions live right job price may gouging going member being medical done fix ridiculous fixed fees gf extra girl give given fiance go goes fact feet euro feel even especially face entertainment fee entertaining fault gone enough far got gotten getting family fan grandkids extortion expensive flat focused food expenses forcing fair forever forth free first frequent financially everything from fuel financial future every games finally garbage gas get expected havent great isn join jacking itself it issues issue isnt iny just intolerable into interested instead inflation increments increasses joint justify increases layoff letting let lesser less left leave learning later keep last laid lack kids kidding keeps keeping increasing increased greed hard help health he having emails has hardly hand high half had hacking hackednot hacked guys greedy her higher increase households income improvements idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes end drain email before biden biased biannually bf between benefits benefit begin becoming bill because became be barely bank awhile away automatically biggest billing at by card cant cannot cancelling canceling cancel can bye business billings buggin broke break boyfriend both blindly bit bills aunt as cared adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another an all amounts amount am also already almost allowed allow care caring elsewhere decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts customers due else eliminating el edge easily earlier each duplicate drive divorce drastically like down double dont don doesnt do cut customer caused choose company coming combining combine college climbing climb city choice competitive checking charges charged changing changes changed change cell compared compromised currently cost current currency creep credit covid courtesy country costs continuous connected continues continue continually continously constantly constant consolidating consider life loyal limit stay sub stupid stranger stopping stopped stop stepdad stealing states soon starting started start squeeze spouses spouse spend span subscriber subscribers success summer there their thats that thanks thank than terrible temporary temporarily taste talk taking take system switching support sorry son they secure servicio service series sense selection seen seems see second something scaling scales saving save same rules rule rotating set settled several shady someone some situation single since significant signaling sign sight sick shoves shouldn should short she sharing share these thing risen well who while where when whats what were went weeks wait week we way waste warrant wants wanted want why wife will willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with waiting vs things today twice trying tried tracking town tooo too told to virtue tired tipped times time tightening throughout through think two unable under understand value vaccine ut uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed rising rise limited news of notified nothing nonsense nonesence non nice next newest moved new never needed need my must multiple much off offer offered offset over outside our others original or options option opportunity opening opened ontario oneday one on ok often moving move own looking made luck loyalty your lower lost losing loose longer more long lol locations location ll living little limiting make makes making manservices monthly month monetary moment mom mistake mind might merge memberships membership means me maybe married market many overpriced owner ripped rates recession recently recent really reality reactivate re rather rate profits raises raised raise quickly quality putting put pushed rectifying redo reduce reducing
Topic 28 | Coherence=-226427.45 | Top words= extra keep and are cheaper for youre better services kept other using reason only people your raising so im it was charge that prices charging out now in me ut money daughter been she sign on havent from stealing because years yall anyways college uses thank when multiple get increases workable our stopped house subscriptions billings cannot used phone not even raised focused food leave forcing flat future left forever forth learning fixed free frequent layoff fuel increasses later games give gone going goes lack go given girl first laid gf getting last gas garbage fix financial legacy letting extortion expensive expenses expected everything every euro lesser especially entertainment entertaining enough end emails let face financially fees good finally fiance less few feet feel fact fee fault far fan family fair gonna got increasing gotten household iny hosehold horrible is holder history hiking isn hikes hike higher high her help households how huge instead increments increased increase income inflation improvements interested hungry into ill if idea husband intolerable health isnt he keeps just hackednot justify keeping hacked guys greedy join greed kidding great grandkids kids gouging joint job having has issue issues its itself elsewhere have hardly hacking hard happy hand half had jacking email done else before biased biannually bf between benefits benefit being begin becoming biggest became be barely bank back awhile away automatically biden bill care business cant cancelling canceling cancel can bye by but buggin billing budget broke break boyfriend both blindly bit bills aunt at as adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow card cared eliminating death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day date damn dad cutting cut customers disappointed disgusting caring drastically el edge easily earlier each duplicate due drive drain disgusts down double dont like don doesnt do divorce customer currently current choice coming come combining combine climbing climb city choose checking currency charges charged changing changes changed change cell caused company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected life loyal limit spouses stop stepdad stay states starting started start squeeze spouse stranger spending spend span sorry soon son something someone stopping stupid limited taking thats thanks than terrible temporary temporarily taste talk take sub system switching support summer success subscription subscribers subscriber some situation single run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped right ridiculous seems seen selection sense significant signaling sight sick shoves shouldn should short sharing share shady several settled set servicio service series the their there way whats what were went well weeks week we waste vaccine warrant wants wanted want waiting wait vs virtue where while who why youll you yet yearly year ya wouldn would worth work wont won without with willing will wife value users these time tooo too told today to tired tipped times tightening use tight throughout through this think things thing they town tracking tried try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying return retiring retired never nonesence non no nice next news newest new needed monthly need my must much moving moved move more nonsense nothing notified of original or options option opportunity opening opened ontario oneday one once ok often offset offered offer off months month outside longer made luck loyalty lower lost losing loose looking long monetary lol locations location ll living live little limiting make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many others over resume raise really reality reactivate re rather rates rate raises quickly pricing quality putting put pushed provider profits profit profiles recent recently recession rectifying
Topic 29 | Coherence=-222285.69 | Top words= for too now is it expensive going keep me prices much the subscription worth extra my on upward as unfortunately many service good through wife left courtesy we use gonna never divorce vs maybe later right so offered longer thank whats moving was creep itself enough don customer overpriced aren every charging free greed gotten frequent from great fuel grandkids greedy gouging getting got get gone goes future go given games give forever girl garbage gas gf forth financial forcing euro fact face extortion expenses expected everything even especially food entertainment entertaining end emails email elsewhere else fair family fan far focused flat fixed fix first financially hacked finally fiance few feet fees feel fee fault guys youre hackednot justify joint join job jacking its issues issue isnt isn iny intolerable into interested instead inflation increments increasses just keeping increases keeps limit like life letting let lesser less legacy leave learning layoff last laid lack kids kidding kept increasing increased hacking hikes higher high her help el health he having havent have has hardly hard happy hand half had hike hiking increase history income in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder eliminating done edge becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased at break can bye by but business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest aunt are canceling adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming apps an aparently anyways anymore any anticonsumer another annually and amounts all amount amercian am also already almost allowed allow cancel cancelling easily date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers currently current currency credit deteriorated differences country double earlier each duplicate due drive drastically drain down dont different limiting doesnt do disgusts disgusting discontinue disappointed direction covid costs cannot changes choose choice checking cheaper charges charged charge changing changed climb change cell caused caring cared care card cant city climbing cost consider continuous continues continue continually continously constantly constant consolidating connected college compromised competitive compared company coming come combining combine limited loyal little spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped thanks switching terrible temporary temporarily taste talk taking take system support stopping summer success subscriptions subscribers subscriber sub stupid stranger situation single since same seems see secure second scaling scales saving save run significant rules rule rotating rising risen rise ripped ridiculous seen selection sense series signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services than that live waste when what were went well weeks week way warrant while wants wanted want waiting wait virtue value vaccine where who thats wouldn youll you yet years yearly year yall ya would why workable work wont won without with willing will ut using uses tight told today to tired tipped times time tightening throughout users this think things thing they these there their tooo town tracking tried used us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try return retiring retired non offer off of notified nothing not nonsense nonesence no often nice next news newest new needed need must offset ok resume or own over outside out our others other original options once option opportunity opening opened ontario only oneday one multiple moved move lost making makes make made luck loyalty your lower losing more loose looking long lol locations location ll living manservices market married may months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means owner owning pagos raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
 62%|██████▎   | 30/48 [1:37:55<1:25:00, 283.37s/it]
Topic 30 | Coherence=-222915.48 | Top words= and too new many prices price you charges not raised keep increasing greedy expensive terrible your pricing addition fees added rules money anymore just worth stupid is no are gotten with system its while high more hike value continually really rule delivering point little charging adding climb should dont policies subscriptions why rates workable pleased secure prescription easily seems blindly hungry hackednot me itself think again benefit lol days shouldn willing manservices games garbage gone forcing going goes go given give forever girl forth free gf frequent getting get from gas fuel future youre feet for expected fair fact face extra extortion expenses everything food every even euro especially entertainment entertaining family fan far fault fee feel good few fiance finally financial financially first fix fixed flat focused gonna have got into it issues issue isnt isn iny intolerable interested job instead inflation increments increasses increases increased increase jacking join in last less legacy left leave learning layoff later laid joint lack kids kidding kept keeps keeping justify income improvements gouging hand having havent end has hardly hard happy half health had hacking hacked guys greed great grandkids he help im household ill if idea husband huge how households house her hosehold horrible holder history hiking hikes higher enough done emails being biggest biden biased biannually bf between better benefits begin billing before been becoming because became be barely bank bill billings email by card cant cannot cancelling canceling cancel can bye but bills business buggin budget broke break boyfriend both bit back awhile away addresses all alarming agree againlater after afford adicional addtional additional automatically activities acct accounts account access acceptance absurd about allow allowed almost already aunt at as aren apps aparently anyways any anticonsumer another annually an amounts amount amercian am also care cared caring decisions discontinue disappointed direction different differences didnt deteriorated declined death customer deal day daughter date damn dad cutting cut disgusting disgusts divorce do elsewhere else eliminating el edge earlier each duplicate due drive drastically drain down double let don doesnt customers currently caused choice coming come combining combine college climbing city choose checking current cheaper charged charge changing changes changed change cell company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected lesser loyal letting start stopped stop stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stopping stranger sub subscriber thats that thanks thank than temporary temporarily taste talk taking take switching support summer success subscription subscribers something some retiring save sense selection seen see second scaling scales saving same so run rotating rising risen rise ripped right ridiculous series service services servicio situation single since significant signaling sign sight sick shoves short she sharing share shady several settled set the their there warrant went well weeks week we way waste was wants these wanted want waiting wait vs virtue vaccine ut were what whats when youll yet years yearly year yall ya wouldn would work wont won without will wife who where using uses users tried town tooo told today to tired tipped times time tightening tight throughout through this things thing they tracking try used trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice return retired life newest notified nothing nonsense nonesence non nice next news never months needed need my must multiple much moving moved now of off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered move monthly resume long luck loyalty lower lost losing loose looking longer locations month location ll living live limiting limited limit like made make makes making monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market other others our raise reason reality reactivate re rather rate raising raises quickly out quality putting put pushed provider profits profit profiles recent recently recession
Average topic coherence for the top words is -225098.69783066708
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.38it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.36it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.38it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.36it/s]
 10%|█         | 5/50 [00:00<00:08,  5.37it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.37it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.34it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.34it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.37it/s]
 20%|██        | 10/50 [00:01<00:07,  5.38it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.37it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.41it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.41it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.39it/s]
 30%|███       | 15/50 [00:02<00:06,  5.40it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.40it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.40it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.41it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.41it/s]
 40%|████      | 20/50 [00:03<00:05,  5.40it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.42it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.40it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.37it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.37it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.38it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.41it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.39it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.37it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.39it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.39it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.40it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.39it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.40it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.40it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.37it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.37it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.38it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.38it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.39it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.42it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.38it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.38it/s]
 86%|████████▌ | 43/50 [00:07<00:01,  5.38it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.37it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.36it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.38it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.38it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.40it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.39it/s]
100%|██████████| 50/50 [00:09<00:00,  5.38it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.62it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.60it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.59it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.52it/s]
 10%|█         | 5/50 [00:00<00:06,  6.56it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.55it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.56it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.58it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.58it/s]
 20%|██        | 10/50 [00:01<00:06,  6.58it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.52it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.55it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.56it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.59it/s]
 30%|███       | 15/50 [00:02<00:05,  6.59it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.56it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.54it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.58it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.59it/s]
 40%|████      | 20/50 [00:03<00:04,  6.60it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.61it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.61it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.60it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.55it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.53it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.57it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.56it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.58it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.57it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.60it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.60it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.60it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.60it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.60it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.57it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.58it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.58it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.59it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.60it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.61it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.61it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.62it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.60it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.60it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.59it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.60it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.61it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.64it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.62it/s]
100%|██████████| 50/50 [00:07<00:00,  6.58it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.55it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.56it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.54it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.53it/s]
 10%|█         | 5/50 [00:01<00:12,  3.55it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.54it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.53it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.53it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.54it/s]
 20%|██        | 10/50 [00:02<00:11,  3.53it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.52it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.53it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.53it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.53it/s]
 30%|███       | 15/50 [00:04<00:09,  3.53it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.53it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.54it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.53it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.53it/s]
 40%|████      | 20/50 [00:05<00:08,  3.53it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.53it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.53it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.54it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.54it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.55it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.55it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.54it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.54it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.53it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.54it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.54it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.53it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.55it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.55it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.56it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.57it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.53it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.53it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.53it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.54it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.53it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.53it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.54it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.54it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.54it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.55it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.54it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.54it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.53it/s]
100%|██████████| 50/50 [00:14<00:00,  3.54it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.76it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.72it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.72it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.70it/s]
 10%|█         | 5/50 [00:01<00:16,  2.71it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.71it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.72it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.71it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.72it/s]
 20%|██        | 10/50 [00:03<00:14,  2.72it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.72it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.71it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.72it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.72it/s]
 30%|███       | 15/50 [00:05<00:12,  2.73it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.73it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.73it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.71it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.72it/s]
 40%|████      | 20/50 [00:07<00:11,  2.73it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.73it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.73it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.73it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.72it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.73it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.72it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.72it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.73it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.72it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.72it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.72it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.71it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.72it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.72it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.72it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.72it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.72it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.72it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.73it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.72it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.72it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.72it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.71it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.71it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.71it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.70it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.70it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.71it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.71it/s]
100%|██████████| 50/50 [00:18<00:00,  2.72it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.79it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.79it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.78it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.79it/s]
 10%|█         | 5/50 [00:02<00:25,  1.78it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.79it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.79it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.79it/s]
 18%|█▊        | 9/50 [00:05<00:22,  1.79it/s]
 20%|██        | 10/50 [00:05<00:22,  1.79it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.79it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.79it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.79it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.79it/s]
 30%|███       | 15/50 [00:08<00:19,  1.79it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.79it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.79it/s]
 36%|███▌      | 18/50 [00:10<00:17,  1.79it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.79it/s]
 40%|████      | 20/50 [00:11<00:16,  1.79it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.79it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.79it/s]
 46%|████▌     | 23/50 [00:12<00:15,  1.79it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.78it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.79it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.78it/s]
 54%|█████▍    | 27/50 [00:15<00:12,  1.79it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.79it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.79it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.79it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.79it/s]
 64%|██████▍   | 32/50 [00:17<00:10,  1.79it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.79it/s]
 68%|██████▊   | 34/50 [00:19<00:08,  1.79it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.78it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.78it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.78it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.79it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.79it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.79it/s]
 82%|████████▏ | 41/50 [00:22<00:05,  1.79it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.79it/s]
 86%|████████▌ | 43/50 [00:24<00:03,  1.78it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.77it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.78it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.79it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.78it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.79it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.79it/s]
100%|██████████| 50/50 [00:27<00:00,  1.79it/s]

100%|██████████| 50/50 [00:00<00:00, 1429.16it/s]
Topic 0 | Coherence=-216901.00 | Top words= will back another customer as this be new getting addtional moving get spending using youll stop now and platform rejoin out upcoming im later on have service but cutting increases awhile combining once me settled phone married accounts you cancelling temporarily thank unnecessary free opened instead expenses join less mistake for take budget happy your even gone every going financially goes everything gonna go given expensive expected especially euro good girl got gotten gouging grandkids great entertainment entertaining enough greed greedy guys end give extortion gf focused fee feel hackednot fees food feet few forever fiance finally flat fixed fix financial forcing fault first fuel extra face gas garbage games future from far fact frequent fair family fan forth hacked youre hacking inflation keep justify just joint job jacking itself its it issues issue isnt isn is iny intolerable into keeping keeps kept legacy limited limit like life letting let lesser left kidding leave learning layoff last laid lack kids interested increments had increasses hiking hikes hike higher email high her help health he having havent has hardly hard hand half history holder horrible if increasing increased increase income in improvements ill idea hosehold husband hungry huge how households household house emails down elsewhere benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because became barely bank bill billings caused bye cared care card cant cannot canceling cancel can by bills business buggin broke break boyfriend both blindly bit away automatically aunt addition agree againlater again after afford adicional addresses additional adding at added activities acct account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost caring cell else decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cut discontinue disgusts change drive eliminating el edge easily earlier each duplicate due drastically divorce drain little double dont done don doesnt do customers currently current choice coming come combine college climbing climb city choose checking currency cheaper charging charges charged charge changing changes changed company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected limiting loyal live start stopping stopped stepdad stealing stay states starting started squeeze stupid spouses spouse spend span sorry soon son something stranger sub there talk the thats that thanks than terrible temporary taste taking subscriber system switching support summer success subscriptions subscription subscribers someone some so saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series services servicio single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several set their these right way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while they worth yet years yearly year yall ya wouldn would workable who work wont won without with willing wife why virtue value vaccine tipped tracking town tooo too told today to tired times ut time tightening tight throughout through think things thing tried try trying twice uses users used use us upward upping up until unneeded unfortunately unfair unemployed understand under unable two ripped ridiculous living no off of notified nothing not nonsense nonesence non nice offered next news newest never needed need my must offer offset owning or own overpriced over outside our others other original options often option opportunity opening ontario only oneday one ok multiple much moved lost manservices making makes make made luck loyalty lower losing move loose looking longer long lol locations location ll many market may maybe more months monthly month money monetary moment mom mind might merge memberships membership members member medical means owner pagos return rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parent residence retiring
Topic 1 | Coherence=-220540.71 | Top words= charge you re to my going for and your in anyways ut uses thank college sign she me daughter extra is worth when it no bye good not that kids live city unfair intolerable more what another fair using profits family got allow kidding cant amount waste single awhile only gonna gas games future fuel greed life from frequent free forth forever forcing like garbage great get given let gotten gouging letting goes go give gone girl grandkids food lesser gf getting limit keeps focused even little extortion expensive expenses expected everything every euro flat especially entertainment entertaining enough end emails email limiting face fact fan fixed fix first financially limited greedy finally fiance few feet fees feel fee fault far financial less guys increased instead inflation last increments increasses increasing increases increase if income later layoff improvements im ill learning interested into iny laid keep justify just joint kept join job jacking itself its lack issues issue isnt isn leave idea hacked hardly help health he having havent have has hard husband happy hand keeping half had hacking hackednot her high else higher hungry huge how households household house hosehold horrible holder history hiking hikes left hike legacy elsewhere youre eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill care buggin cannot cancelling canceling cancel can by but business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt adding again after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about againlater agree alarming all as aren are apps aparently anymore any anticonsumer annually an amounts amercian am also already almost allowed card cared el deal different differences didnt deteriorated delivering declined decisions death days disappointed day date damn dad cutting cut customers customer direction discontinue caring drain edge easily earlier each duplicate due drive drastically down disgusting double living done don doesnt do divorce disgusts currently current currency cheaper come combining combine climbing climb choose choice checking charging creep charges charged changing changes changed change cell caused coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised dont loyal ll squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger some system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub someone so return same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense situation short since significant signaling sight sick shoves shouldn should sharing series share shady several settled set servicio services service thanks thats the was whats were went well weeks week we way warrant while wants wanted want waiting wait vs virtue value where who their would youll yet years yearly year yall ya wouldn workable why work wont won without with willing will wife vaccine users used tight too told today tired tipped times time tightening throughout use through this think things thing they these there tooo town tracking tried us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying try ridiculous retiring location nonesence offered offer off of now notified nothing nonsense non often nice next news newest new never needed need offset ok multiple or overpriced over outside out our others other original options on option opportunity opening opened ontario oneday one once must much retired loyalty market many manservices making makes make made luck lower may lost losing loose looking longer long lol locations married maybe moving mom moved move months monthly month money monetary moment mistake means mind might merge memberships membership members member medical own owner owning raises reason really reality reactivate rather rates rate raising raised recently raise quickly quality putting put pushed provider profit recent recession pagos repurposing resume
Topic 2 | Coherence=-212241.01 | Top words= to back be need will of cut month payment with end expenses move just costs on other having fuel increased rise entertainment almost per rent subscriptions different being sick double emails off in same and lol ripped must retiring time increasing repurposing long get feet looking household households reflect nice afford if forever free gotten forth gone frequent for food let letting focused flat forcing lesser from future going gonna good goes go given give girl got gf getting gas garbage games less keep finally fixed even extortion expensive life expected everything every euro fix especially like entertaining enough limit limited extra face fact fair family fan far fault fee feel fees few fiance grandkids financial financially first gouging leave legacy increases kidding instead inflation kids increments lack increasses laid hungry last increase income improvements im ill idea interested into kept intolerable keeping joint join job jacking itself its it issues issue isnt isn keeps is iny husband later great had have has hardly hard happy hand half hacking huge hackednot hacked guys justify greedy greed left havent learning he email layoff how house hosehold horrible holder history hiking hikes hike higher high her help health youre due elsewhere care biggest biden biased biannually bf between better benefits benefit begin before been becoming because became barely bank awhile away bill billing billings but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit automatically aunt at adding againlater again after adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian am also already allowed card cared else caring direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting customers customer currently disappointed discontinue disgusting drive eliminating el edge easily earlier each duplicate little drastically disgusts drain down dont done don doesnt do divorce current currency creep charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come credit continously covid courtesy country cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company limiting loyal live stepdad subscribers subscriber sub stupid stranger stopping stopped stop stealing success stay states starting started start squeeze spouses spouse subscription summer spend than these there their the thats that thanks thank terrible support temporary temporarily taste talk taking take system switching spending span living seen settled set servicio services service series sense selection seems shady see secure second scaling scales saving save run several share sorry since soon son something someone some so situation single significant sharing signaling sign sight shoves shouldn should short she they thing things we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who think wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife vs virtue value told twice trying try tried tracking town tooo too today vaccine tired tipped times tightening tight throughout through this two unable under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rules rule rotating nonesence offset offered offer now notified nothing not nonsense non ok no next news newest new never needed my often once pagos original owner own overpriced over outside out our others or one options option opportunity opening opened ontario only oneday multiple much moving loyalty market many manservices making makes make made luck your moved lower lost losing loose longer locations location ll married may maybe me more months monthly money monetary moment mom mistake mind might merge memberships membership members member medical means owning parent rising rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo parents restrict risen
Topic 3 | Coherence=-219233.37 | Top words= subscription my has with an so already one in anymore expensive life need more only shoves choice nice lost the bf he subscriber keeping iny moving your dont not pop forcing to especially someone wife face moved up boyfriend stepdad at husband currently married residence same phone we her own subscriptions hacked got daughter combine keeps households than aparently spouse remarried hacking offered acct who get joint for stopping house youll duplicate done aren focused fee few everything every even give flat given go goes going euro fixed expected entertainment gone entertaining gonna fiance fix enough end good finally first gotten girl feet expenses frequent far fan forever family fair forth feel free fees fact extra from fault fuel future food games financially garbage gas extortion getting gouging gf financial having grandkids isnt job jacking itself its it issues issue isn increasing is intolerable into interested instead inflation increments join just justify keep let lesser less legacy left leave learning layoff later last laid lack kids kidding kept increasses increases great hard high help health email havent have hardly happy increased hand half had hackednot guys greedy greed higher hike hikes hiking increase income improvements im ill if idea hungry huge how household hosehold horrible holder history emails youre elsewhere being biggest biden biased biannually between better benefits benefit begin awhile before been becoming because became be barely bank bill billing billings bills cant cannot cancelling canceling cancel can bye by but business buggin budget broke break both blindly bit back away care addition againlater again after afford adicional addtional addresses additional adding automatically added activities accounts account access acceptance absurd about agree alarming all allow aunt as are apps anyways any anticonsumer another annually and amounts amount amercian am also almost allowed card cared else deal different differences didnt deteriorated delivering declined decisions death days currency day date damn dad cutting cut customers customer direction disappointed discontinue disgusting eliminating el edge easily earlier each due drive drastically drain down double don doesnt do divorce disgusts current creep caring charging combining college climbing climb city choose checking cheaper charges credit charged charge changing changes changed change cell caused come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive letting loyal like squeeze stopped stop stealing stay states starting started start spouses single spending spend span sorry soon son something some stranger stupid sub subscribers their thats that thanks thank terrible temporary temporarily taste talk taking take system switching support summer success situation since these run seems see secure second scaling scales saving save rules significant rule rotating rising risen rise ripped right ridiculous seen selection sense series signaling sign sight sick shouldn should short she sharing share shady several settled set servicio services service there they retiring waste whats what were went well weeks week way was vaccine warrant wants wanted want waiting wait vs virtue when where while why you yet years yearly year yall ya wouldn would worth workable work wont won without willing will value ut thing tipped tried tracking town tooo too told today tired times using time tightening tight throughout through this think things try trying twice two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable return retired limit news now notified nothing nonsense nonesence non no next newest month new never needed must multiple much move months of off offer offset out our others other original or options option opportunity opening opened ontario oneday once on ok often monthly money over long made luck loyalty lower losing loose looking longer lol monetary locations location ll living live little limiting limited make makes making manservices moment mom mistake mind might merge memberships membership members member medical means me maybe may market many outside overpriced resume raised reality reactivate re rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit really reason recent recently
Topic 4 | Coherence=-232953.84 | Top words= you out extra charging other raising prices are youre services gonna reason people better kept if cheaper im only keep charge so that using and was now your my for it the of subscription with me share because without cant stay grandkids service or through improvements provider differences any months town am spending connected waste phone declined two quality happy given expensive expenses expected everything give girl gf getting go feel every entertainment gouging emails end gotten enough entertaining especially goes got good euro even extortion going gone games get far fees feet fee fault few fiance finally financial financially first fix fixed great focused fan face family food fair forcing forever forth free frequent from fuel future garbage gas fact flat hardly greed joint job jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation increments increasses join just greedy justify letting let lesser less legacy left leave learning layoff later last laid lack kids kidding keeps keeping increasing increases increased increase her help health he having havent have has elsewhere hard hand half had hacking hackednot hacked guys high higher hike how income in ill idea husband hungry huge households hikes household house hosehold horrible holder history hiking email done else before biased biannually bf between benefits benefit being begin been biggest becoming became be barely bank back awhile away biden bill card buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater agree alarming all aren apps aparently anyways anymore anticonsumer another annually an amounts amount amercian also already almost allowed allow cannot care eliminating days direction different didnt deteriorated delivering decisions death deal day discontinue daughter date damn dad cutting cut customers customer disappointed disgusting cared drastically el edge easily earlier each duplicate due drive drain disgusts down double dont like don doesnt do divorce currently current currency checking combining combine college climbing climb city choose choice charges creep charged changing changes changed change cell caused caring come coming company compared credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider compromised competitive life loyal limit squeeze stopped stop stepdad stealing states starting started start spouses stranger spouse spend span sorry soon son something someone stopping stupid limited taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some situation single run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped right ridiculous seems seen selection sense significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio series thats their there we when whats what were went well weeks week way vaccine warrant wants wanted want waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won willing will wife value ut these times tracking tooo too told today to tired tipped time uses tightening tight throughout this think things thing they tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retiring retired never nonesence non no nice next news newest new needed month need must multiple much moving moved move more nonsense not nothing notified original options option opportunity opening opened ontario oneday one once on ok often offset offered offer off monthly money our longer made luck loyalty lower lost losing loose looking long monetary lol locations location ll living live little limiting make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many others outside resume raised really reality reactivate re rather rates rate raises raise price quickly putting put pushed profits profit profiles problem recent recently recession rectifying
Topic 5 | Coherence=-216709.58 | Top words= and to the my in of different want country money be location changed currency moved current new too moving time spend waste company rather learning another would live financial disgusts greed me about ontario everything rules go job yet entertainment continue squeeze addresses get situation unemployed change costs has phone can opening girl gf good gonna guys greedy gone going great grandkids gas games got gotten goes getting gouging given give garbage youre future extortion fault far fan family fair fact face extra expensive feel expenses expected every even euro especially entertaining enough fee fees fuel food from frequent free forth forever forcing hackednot for focused feet flat fixed fix first financially finally fiance few hacked help hacking its keeping keep justify just joint join jacking itself it instead issues issue isnt isn is iny intolerable into keeps kept kidding kids limiting limited limit like life letting let lesser less legacy left leave layoff later last laid lack interested inflation had health history hiking hikes hike higher high her emails he increments having havent have hardly hard happy hand half holder horrible hosehold house increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how households household end down email before biannually bf between better benefits benefit being begin been aunt becoming because became barely bank back awhile away biased biden biggest bill canceling cancel bye by but business buggin budget broke break boyfriend both blindly bit bills billings billing automatically at cannot addition agree againlater again after afford adicional addtional additional adding as added activities acct accounts account access acceptance absurd alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost cancelling cant elsewhere death disappointed direction differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut discontinue disgusting divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain double dont done don doesnt customers currently card charges climbing climb city choose choice checking cheaper charging charged creep charge changing changes cell caused caring cared care college combine combining come credit covid courtesy cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive compared coming little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start spouses spouse spending span sorry soon son stupid subscriber someone talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription something some right scales sense selection seen seems see secure second scaling saving service save same run rule rotating rising risen rise series services so shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thats their there we when whats what were went well weeks week way while was warrant wants wanted waiting wait vs virtue where who these worth youll you years yearly year yall ya wouldn workable why work wont won without with willing will wife value vaccine ut times tried tracking town tooo told today tired tipped tightening using tight throughout through this think things thing they try trying twice two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable ripped ridiculous ll nonsense offset offered offer off now notified nothing not nonesence ok non no nice next news newest never needed often on must other owner own overpriced over outside out our others original once or options option opportunity opened only oneday one need multiple return your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may much mistake move more months monthly month monetary moment mom mind maybe might merge memberships membership members member medical means owning pagos parent rate recently recent reason really reality reactivate re rates raising rectifying raises raised raise quickly quality putting put pushed recession redo parents residence retiring
Topic 6 | Coherence=-225686.76 | Top words= and the price for subscription up my greedy going on are it am charges many too now as keeps new increases just people increase constant wife income through fixed added fees divorce quality cost raising left courtesy raised last was expensive ridiculous pay fee getting willing went down retired ya profits times non girl stop often gotten system membership worth support hardly year benefits constantly opportunity monthly own back broke inflation barely gas horrible opening get everything gf expected expenses every give fiance given go even goes gone especially entertainment gonna good entertaining enough got euro face extortion forcing finally gouging financial financially first fix feet flat feel focused food fault far forever extra forth free fan frequent family from fair fuel future fact few games garbage youre having grandkids iny itself its issues issue isnt isn is intolerable job into interested instead increments increasses increasing increased jacking join great later let lesser less legacy leave learning layoff laid joint lack kids kidding kept keeping keep justify in improvements im happy health he emails havent have has hard hand ill half had hacking hackednot hacked guys greed help her high higher if idea husband hungry huge how households household house hosehold holder history hiking hikes hike end double email being biggest biden biased biannually bf between better benefit begin billing before been becoming because became be bank awhile bill billings elsewhere by card cant cannot cancelling canceling cancel can bye but bills business buggin budget break boyfriend both blindly bit away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at activities acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed care cared caring decisions disappointed direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting discontinue disgusting disgusts do else eliminating el edge easily earlier each duplicate due drive drastically drain life dont done don doesnt cut customer caused checking combining combine college climbing climb city choose choice cheaper currently charging charged charge changing changes changed change cell come coming company compared current currency creep credit covid country costs continuous continues continue continually continously consolidating consider connected compromised competitive letting loyal like spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stopped stopping stranger thank than terrible temporary temporarily taste talk taking take switching summer success subscriptions subscribers subscriber sub stupid so single that saving selection seen seems see secure second scaling scales save since same run rules rule rotating rising risen rise sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thanks thats right warrant what were well weeks week we way waste wants using wanted want waiting wait vs virtue value vaccine whats when where while youll you yet years yearly yall wouldn would workable work wont won without with will why who ut uses their tightening town tooo told today to tired tipped time tight users throughout this think things thing they these there tracking tried try trying used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ripped return limit needed nonsense nonesence no nice next news newest never need money must multiple much moving moved move more months not nothing notified of others other original or options option opened ontario only oneday one once ok offset offered offer off month monetary out long loyalty your lower lost losing loose looking longer lol moment locations location ll living live little limiting limited luck made make makes mom mistake mind might merge memberships members member medical means me maybe may married market manservices making our outside retiring rate recent reason really reality reactivate re rather rates raises pricing raise quickly putting put pushed provider profit profiles recently recession rectifying redo
Topic 7 | Coherence=-228269.63 | Top words= and price you will my different to have increases pay the is use where we me in change subscription upcoming ridiculous locations fee anticonsumer customers since customer cancel that service even do garbage about prices care membership mom rate increase two places restrict keep want don live afford upping using after by being huge loyal amounts boyfriend wants constantly happy has broke raising covid fault may take business enough workable increasing forever lack laid forcing for last food free focused flat fixed fix first financially forth frequent finally get give girl keeping gf keeps getting gas from kept kidding games future fuel kids financial fiance go expected lesser extortion expensive expenses let letting everything few every life euro especially entertainment entertaining extra face fact fair less family legacy left fan far leave feel fees learning layoff later feet given goes increased hiking hosehold horrible intolerable holder iny history isn household isnt issue hikes issues hike higher house households justify im increasses income increments inflation instead improvements ill how interested if idea husband hungry into it high end grandkids hackednot hacked guys greedy greed great gouging help gotten got good gonna gone going hacking had half hand just hard hardly joint join job jacking havent having itself he its health her doesnt emails before biased biannually bf between better benefits benefit begin been email becoming because became be barely bank back awhile biden biggest bill billing cared card cant cannot cancelling canceling can bye but buggin budget break both blindly bit bills billings away automatically aunt all agree againlater again adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd alarming allow at allowed as aren are apps aparently anyways anymore any another annually an amount amercian am also already almost caring caused cell disgusts discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad disgusting divorce cut limit elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done cutting currently changed company come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes coming compared current competitive currency creep credit courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised like youre limited spend states starting started start squeeze spouses spouse spending span stealing sorry soon son something someone some so situation stay stepdad limiting summer temporary temporarily taste talk taking system switching support success stop subscriptions subscribers subscriber sub stupid stranger stopping stopped single significant signaling rules secure second scaling scales saving save same run rule sign rotating rising risen rise ripped right return retiring see seems seen selection sight sick shoves shouldn should short she sharing share shady several settled set servicio services series sense terrible than thank waste whats what were went well weeks week way was uses warrant wanted waiting wait vs virtue value vaccine when while who why youll yet years yearly year yall ya wouldn would worth work wont won without with willing wife ut users thanks through today tired tipped times time tightening tight throughout this used think things thing they these there their thats told too tooo town us upward up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try tried tracking retired resume resubscribe next notified nothing not nonsense nonesence non no nice news moved newest new never needed need must multiple much now of off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered moving move others losing makes make made luck loyalty your lower lost loose more looking longer long lol location ll living little making manservices many market months monthly month money monetary moment mistake mind might merge memberships members member medical means maybe married other our restriction quality reactivate re rather rates raises raised raise quickly putting prescription put pushed provider profits profit profiles problem pricing reality really reason recent
Topic 8 | Coherence=-214328.09 | Top words= good price the is nothing but for increase seems really no added when year it ok every not rising before been its prices members and run legacy respect as spending keeps raise budget was service second once now new increasses gas free greedy greed great grandkids forcing gouging gotten got gonna gone forever forth frequent getting from fuel going future goes go games given give girl gf garbage get youre food focused face extra extortion expensive expenses expected everything even euro especially entertainment entertaining enough end emails email elsewhere fact fair family finally flat fixed fix first hacked financially financial fiance fan few feet fees feel fee fault far guys health hackednot itself keeping keep justify just joint join job jacking issues hacking issue isnt isn iny intolerable into interested instead kept kidding kids lack little limiting limited limit like life letting let lesser less left leave learning layoff later last laid inflation increments increasing hiking hike higher high her help eliminating he having havent have has hardly hard happy hand half had hikes history increases holder increased income in improvements im ill if idea husband hungry huge how households household house hosehold horrible else drastically el cared biden biased biannually bf between better benefits benefit being begin becoming because became be barely bank back awhile away biggest bill billing by card cant cannot cancelling canceling cancel can bye business billings buggin broke break boyfriend both blindly bit bills automatically aunt at addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed care caring edge caused differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently different direction disappointed down easily earlier each duplicate due drive living drain double discontinue dont done don doesnt do divorce disgusts disgusting current currency creep cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared live loyal ll stepdad subscribers subscriber sub stupid stranger stopping stopped stop stealing subscriptions stay states starting started start squeeze spouses spouse subscription success span terrible these there their thats that thanks thank than temporary summer temporarily taste talk taking take system switching support spend sorry thing see settled set servicio services series sense selection seen secure shady scaling scales saving save same rules rule rotating several share soon significant son something someone some so situation single since signaling sharing sign sight sick shoves shouldn should short she they things location we where whats what were went well weeks week way who waste warrant wants wanted want waiting wait vs while why value would youll you yet years yearly yall ya wouldn worth wife workable work wont won without with willing will virtue vaccine think to try tried tracking town tooo too told today tired twice tipped times time tightening tight throughout through this trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under risen rise ripped nice offered offer off of notified nonsense nonesence non next often news newest never needed need my must multiple offset on moving original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday much moved right your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may move mistake more months monthly month money monetary moment mom mind maybe might merge memberships membership member medical means me owner owning pagos rates recession recently recent reason reality reactivate re rather rate redo raising raises raised quickly quality putting put pushed rectifying reduce parent restart ridiculous
Topic 9 | Coherence=-224158.04 | Top words= price with the to no and have not worth increases more in continues be enough saving benefit it climb added need currently continuous good longer service better services other used subscription value deal can problem agree cost rise but policy sight changes end high frequent amercian justify limiting euro cheaper poland isnt do disappointed sub vs news access live dad currency pay replace dont entertaining another profiles over save drain hacked has only budget tired youre way waste biden gouging guys allow greedy greed great grandkids gotten hackednot got allowed gonna almost gone going goes all alarming hacking given her help health he having havent after again againlater hardly hard happy hand half had go give fault girl focused flat fixed fix first financially financial finally amount fiance few amounts feet fees feel food for forcing future gf getting get gas garbage games fuel am from already free forth also forever afford higher hike kidding keeps keeping keep account just joint join job jacking itself its accounts issues issue acct kept kids is lack letting about let absurd lesser less legacy left leave learning acceptance layoff later last laid isn iny hikes additional husband hungry huge addresses how households addtional household house hosehold adicional horrible holder history hiking idea if intolerable ill into interested instead inflation increments increasses increasing activities increased adding increase income addition improvements im fee far biggest compared coming come combining combine college climbing because city choose choice checking becoming been charging charges company competitive charged compromised covid courtesy country costs bank barely became continue continually continously constantly constant consolidating consider connected before charge credit by business buggin bf broke break boyfriend both blindly bit bills billings billing biannually biased bill between bye changing benefits begin changed change cell caused caring cared care card cant cannot cancelling canceling cancel being back creep fan emails elsewhere else eliminating el edge any easily earlier each duplicate due drive drastically anymore down email anticonsumer like annually family fair fact face extra extortion expensive expenses expected everything every even especially entertainment an double done awhile decisions as days day at aunt daughter date damn automatically cutting cut customers customer away current death declined don delivering doesnt anyways aparently divorce disgusts disgusting discontinue apps direction different are aren differences didnt deteriorated life loyal limit started stopping stopped stop stepdad stealing stay states starting start something squeeze spouses spouse spending spend span sorry soon stranger stupid subscriber subscribers that thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions son someone their scales sense selection seen seems see secure second scaling same some run rules rule rotating rising risen ripped right series servicio set settled so situation single since significant signaling sign sick shoves shouldn should short she sharing share shady several thats there return week where when whats what were went well weeks we ut was warrant wants wanted want waiting wait virtue while who why wife youll you yet years yearly year yall ya wouldn would workable work wont won without willing will vaccine using these time tracking town tooo too told today tipped times tightening uses tight throughout through this think things thing they tried try trying twice users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring limited new notified nothing nonsense nonesence non nice next newest never monthly needed my must multiple much moving moved move now of off offer others original or options option opportunity opening opened ontario oneday one once on ok often offset offered months month out losing makes make made luck loyalty your lower lost loose money looking long lol locations location ll living little making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married our outside retired raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 10 | Coherence=-224780.64 | Top words= price is and the this you increasing terrible too addition pricing prices sharing increases charges keep greedy nonsense times more money benefits long changing keeps been don about be your when new was deal can going amount gotten with problem started ridiculous value for continually delivering it little point while charging raised raises gouging throughout history time at short caring increase sick allow worth biggest duplicate fuel girl free frequent gf grandkids from give enough got given future good games garbage gonna gone gas goes get go getting expected entertaining even fees feel fee fault everything far fan family fair fact face extra extortion expensive expenses every feet forth few entertainment forever forcing especially food focused flat fix first financially euro great financial finally fiance fixed help greed increased joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments just justify keeping leave life letting let lesser less legacy left learning kept layoff later last laid lack kids kidding increasses income guys in her emails health he having havent have has hardly hard happy hand half had hacking hackednot hacked high higher hike huge improvements im ill if idea husband hungry how hikes households household house hosehold horrible holder hiking end youre email being bill biden biased biannually bf between better benefit begin cared before becoming because became barely bank back awhile billing billings bills bit card cant cannot cancelling canceling cancel bye by but business buggin budget broke break boyfriend both blindly away automatically aunt alarming againlater again after afford adicional addtional addresses additional adding added activities acct accounts account access acceptance absurd agree all as allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amercian am also already almost care caused elsewhere decisions discontinue disappointed direction different differences didnt deteriorated declined death cell days day daughter date damn dad cutting cut disgusting disgusts divorce do else eliminating el edge easily earlier each due drive drastically drain down double dont done limit doesnt customers customer currently compared coming come combining combine college climbing climb city choose choice checking cheaper charged charge changes changed change company competitive current compromised currency creep credit covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected like loyal limited spouse stepdad stealing stay states starting start squeeze spouses spending stopped spend span sorry soon son something someone some stop stopping retired switching than temporary temporarily taste talk taking take system support stranger summer success subscriptions subscription subscribers subscriber sub stupid so situation single run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped right return seems seen selection sense significant signaling sign sight shoves shouldn should she share shady several settled set servicio services service series thank thanks that waste what were went well weeks week we way warrant using wants wanted want waiting wait vs virtue vaccine whats where who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife ut uses thats tightening tracking town tooo told today to tired tipped tight users through think things thing they these there their tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring resume limiting news notified nothing not nonesence non no nice next newest of never needed need my must multiple much moving now off resubscribe ontario other original or options option opportunity opening opened only offer oneday one once on ok often offset offered moved move months losing making makes make made luck loyalty lower lost loose monthly looking longer lol locations location ll living live manservices many market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may others our out raise really reality reactivate re rather rates rate raising quickly prescription quality putting put pushed provider profits profit profiles reason recent recently recession
Topic 11 | Coherence=-222991.86 | Top words= money have is for and back the just few months come this ill in we make of budget face up try tight me worth especially taking you forcing once pop saving break iny price currently keeping be lost nice bit ll shoves subscriber using don business continuous will return no monetary wait right good summer over fuel layoff subscription nothing going times may future aparently everything town horrible got gotten gouging grandkids gonna get goes gone go given give games garbage girl gf getting from gas youre first frequent every fair fact extra extortion expensive expenses expected even fan euro entertainment entertaining enough end emails email family far free greed forth forever food focused flat fixed fix financially fault financial finally fiance feet fees feel fee great her greedy isn jacking itself its it issues issue isnt intolerable join into interested instead inflation increments increasses increasing job joint guys later let lesser less legacy left leave learning last justify laid lack kids kidding kept keeps keep increases increased increase hardly else help health he having havent has hard income happy hand half had hacking hackednot hacked high higher hike hikes improvements im if idea husband hungry huge how households household house hosehold holder history hiking elsewhere doesnt eliminating been bf between better benefits benefit being begin before becoming biased because became barely bank awhile away automatically aunt biannually biden care but cant cannot cancelling canceling cancel can bye by buggin biggest broke boyfriend both blindly bills billings billing bill at as aren adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming all apps anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow card cared el days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed caring drain edge easily earlier each duplicate due drive drastically down discontinue double dont done life do divorce disgusts disgusting current currency creep charging college climbing climb city choose choice checking cheaper charges credit charged charge changing changes changed change cell caused combine combining coming company covid courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected compromised competitive compared letting loyal like spending stay states starting started start squeeze spouses spouse spend single span sorry soon son something someone some so stealing stepdad stop stopped than terrible temporary temporarily taste talk take system switching support success subscriptions subscribers sub stupid stranger stopping situation since thanks run seems see secure second scaling scales save same rules significant rule rotating rising risen rise ripped ridiculous retiring seen selection sense series signaling sign sight sick shouldn should short she sharing share shady several settled set servicio services service thank that resume way when whats what were went well weeks week waste vaccine was warrant wants wanted want waiting vs virtue where while who why youll yet years yearly year yall ya wouldn would workable work wont won without with willing wife value ut thats tightening tooo too told today to tired tipped time throughout uses through think things thing they these there their tracking tried trying twice users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two retired resubscribe limit news off now notified not nonsense nonesence non next newest moved new never needed need my must multiple much offer offered offset often out our others other original or options option opportunity opening opened ontario only oneday one on ok moving move overpriced longer made luck loyalty your lower losing loose looking long more lol locations location living live little limiting limited makes making manservices many monthly month moment mom mistake mind might merge memberships membership members member medical means maybe married market outside own restriction raised reality reactivate re rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit really reason recent recently
Topic 12 | Coherence=-230000.21 | Top words= to be back prices with my when will up greedy ll high subscription re being on enough cared were hiking understand means wouldn leave begin you us only if this what won that break cut of about keep got can taking ill use two laid price these off live need have next addresses both different due every able payday opportunity damn the at gas else own preemptively support broke divorce mind yall rotating rate go time piracy canceling before lost something hike fault gf might week trying aunt soon am passed wait expenses budget flat anticonsumer away going been youll play subscriptions provider drive jacking frequent get garbage games focused future give fuel food for from keeps forcing forever forth free girl getting increase fixed fair especially euro even lack everything expected expensive extortion kids kidding extra face fact family fix fan far fee feel given feet kept few fiance finally financial financially first fees greed goes holder households intolerable household house hosehold horrible history issues iny is hikes higher isn isnt how huge hungry into interested instead husband idea inflation increments im increasses increasing improvements increases increased in issue her gone great hackednot hacked guys joint just income grandkids entertainment justify gouging gotten keeping good gonna hacking join job had half hand happy hard hardly has itself havent its having he health it help discontinue entertaining bills billing bill biggest biden biased biannually bf between better benefits benefit becoming because became barely bank awhile billings bit end blindly changed change cell caused caring care card cant cannot cancelling cancel bye by but business buggin boyfriend automatically as aren are againlater again after afford adicional addtional additional addition adding added activities acct accounts account access acceptance absurd agree alarming all and apps aparently anyways anymore any another annually an allow amounts amount amercian also already almost allowed changes changing charge customers disgusting later disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date dad disgusts do doesnt earlier emails email elsewhere eliminating el edge easily each don duplicate drastically drain down double dont done cutting customer charged currently competitive compared company coming come combining combine college climbing climb city choose choice checking cheaper charging charges compromised connected consider costs current currency creep credit covid courtesy country cost consolidating continuous continues continue continually continously constantly constant last youre layoff spouses spending spend span sorry son someone some so situation single since significant signaling sign sight sick shoves spouse squeeze should start switching summer success subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started shouldn short respect saving same run rules rule rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict save scales she scaling sharing share shady several settled set servicio services service series sense selection seen seems see secure second system take talk well we way waste was warrant wants wanted want waiting vs virtue value vaccine ut using uses users weeks went taste whats yet years yearly year ya would worth workable work wont without willing wife why who while where used upward upping upcoming tightening tight throughout through think things thing they there their thats thanks thank than terrible temporary temporarily times tipped tired unable until unneeded unnecessary unfortunately unfair unemployed under twice today try tried tracking town tooo too told restart residence learning newest never needed must multiple much moving moved move more months monthly month money monetary moment mom mistake new news memberships nice ontario oneday one once ok often offset offered offer now notified nothing not nonsense nonesence non no merge membership reside looking long lol locations location living little limiting limited limit like life letting let lesser less legacy left longer loose members losing member medical me maybe may married market many manservices making makes make made luck loyalty your lower opened opening option rates raises raised raise quickly quality putting put pushed profits profit profiles problem pricing president prescription prefer power raising rather
Topic 13 | Coherence=-212285.53 | Top words= keep will increasing it time prices for like only long subscriber at we rates and no there alarming loyalty feel customer going is when can reducing expenses changing declined just done card resume off laid bank thats bills users have eliminating stop unneeded medical monthly high elsewhere on accounts household customers horrible gonna got free forth forever forcing less lesser food gone focused let flat fixed fix gotten frequent from fuel future first good garbage gas get getting gf girl give given go goes legacy games issues financially extra expensive limited expected everything every even limiting euro especially little entertainment entertaining enough live end extortion face grandkids fact financial finally fiance letting few feet fees life fee fault far fan limit family fair gouging left great increased justify income in improvements im ill if idea husband keeping hungry keeps huge how households increase increases issue joint its isnt itself isn jacking iny intolerable job into interested instead join inflation increments increasses kept house hosehold kidding has hardly learning hard happy hand half had hacking leave hackednot hacked guys greedy greed layoff havent having hike holder history hiking kids lack hikes last he higher emails her later help health youre drastically email before biannually bf between better benefits benefit being begin been biden becoming because became be barely back awhile away biased biggest care buggin cannot cancelling canceling cancel bye by but business budget bill broke break boyfriend both blindly bit billings billing automatically aunt as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct account access acceptance absurd about agree all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cant cared else days different differences didnt deteriorated delivering decisions death deal day disappointed daughter date damn dad cutting cut currently current direction discontinue caring ll el edge easily earlier each duplicate due drive drain disgusting down double dont don doesnt do divorce disgusts currency creep credit cheaper combine college climbing climb city choose choice checking charging covid charges charged charge changes changed change cell caused combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared living loyal location start stopping stopped stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription something some their scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled the these locations way where whats what were went well weeks week waste who was warrant wants wanted want waiting wait vs while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue vaccine they tipped tracking town tooo too told today to tired times try tightening tight throughout through this think things thing tried trying ut up using uses used use us upward upping upcoming until twice unnecessary unfortunately unfair unemployed understand under unable two risen rise ripped nonsense offset offered offer of now notified nothing not nonesence ok non nice next news newest new never needed often once my other owner own overpriced over outside out our others original one or options option opportunity opening opened ontario oneday need must right made may married market many manservices making makes make luck me your lower lost losing loose looking longer lol maybe means multiple monetary much moving moved move more months month money moment member mom mistake mind might merge memberships membership members owning pagos parent rate recently recent reason really reality reactivate re rather raising rectifying raises raised raise quickly quality putting put pushed recession redo parents respect ridiculous
Topic 14 | Coherence=-221787.42 | Top words= fact to the you that not it dont are raised good will this shady me almost offer bye tried once your consider used email cancel again months back only like want come if give rectifying forever issue reactivate makes never also pay price expensive so others switching compared system workable rates new already por pagos under el restart adicional make servicio second what seen amount options they got future games gonna garbage gf gas get getting gone going girl goes given go from fuel financially frequent far family fair face extra extortion expenses expected everything every even euro especially entertainment entertaining enough end emails fan fault free fee forth forcing for food focused flat fixed fix first gouging financial finally fiance few feet fees feel gotten youre grandkids job itself its issues isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased jacking join income joint legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping keep justify just increase in great her health he having havent has hardly hard happy hand half had hacking hackednot hacked guys greedy greed help high improvements higher im ill idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike have done elsewhere benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because became be barely bill billings else but care card cant cannot cancelling canceling can by business bills buggin budget broke break boyfriend both blindly bit bank awhile away adding agree againlater after afford addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about alarming all allow allowed aunt at as aren apps aparently anyways anymore any anticonsumer another annually and an amounts amercian am cared caring caused death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts eliminating edge easily earlier each duplicate due drive drastically drain down double lesser don doesnt do divorce customers currently cell checking combining combine college climbing climb city choose choice cheaper current charging charges charged charge changing changes changed change coming company competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected less loyal let squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take support summer success subscriptions subscription subscribers subscriber sub someone situation letting run seems see secure scaling scales saving save same rules single rule rotating rising risen rise ripped right ridiculous selection sense series service since significant signaling sign sight sick shoves shouldn should short she sharing share several settled set services thanks thats their way when whats were went well weeks week we waste there was warrant wants wanted waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would worth work wont won without with willing wife value vaccine ut try town tooo too told today tired tipped times time tightening tight throughout through think things thing these tracking trying using twice uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two return retiring retired my non no nice next news newest needed need must our multiple much moving moved move more monthly month nonesence nonsense nothing notified original or option opportunity opening opened ontario oneday one on ok often offset offered off of now money monetary moment loyalty lost losing loose looking longer long lol locations location ll living live little limiting limited limit life lower luck mom made mistake mind might merge memberships membership members member medical means maybe may married market many manservices making other out resume quality reality re rather rate raising raises raise quickly putting outside put pushed provider profits profit profiles problem pricing really reason recent
Topic 15 | Coherence=-228394.75 | Top words= you price money greedy your many hikes extra charging years subscriptions also not the because to fan past share few way over of and keep on me in been from yall havent stealing an time is outside coming charges play pricing summer too aren focused made think customers raising won just spend food down youll absurd greed gone gf girl give given everything go guys emails goes every going gonna entertaining even good euro getting got end gotten enough gouging especially grandkids entertainment great feet get expected financially family hacked flat fixed fix first far expenses fault fee feel financial finally fiance fair for forcing fact forever forth free frequent face fuel future games garbage extortion gas expensive fees youre he hackednot increments justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead keeping keeps kept left like life letting let lesser less legacy leave kidding learning layoff later last laid lack kids inflation increasses hacking increasing hiking hike higher high her help health elsewhere having have has hardly hard happy hand half had history holder horrible if increases increased increase income improvements im ill idea hosehold husband hungry huge how households household house email dont else benefit biggest biden biased biannually bf between better benefits being billing begin before becoming became be barely bank back bill billings away but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile automatically eliminating addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance about agree all aunt anticonsumer at as are apps aparently anyways anymore any another allow annually amounts amount amercian am already almost allowed card care cared deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customer direction discontinue caring drastically el edge easily earlier each duplicate due drive drain disgusting double limited done don doesnt do divorce disgusts currently current currency checking combining combine college climbing climb city choose choice cheaper creep charged charge changing changes changed change cell caused come company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limit loyal limiting spouse stepdad stay states starting started start squeeze spouses spending stopped span sorry soon son something someone some so stop stopping that take thank than terrible temporary temporarily taste talk taking system stranger switching support success subscription subscribers subscriber sub stupid situation single since same seems see secure second scaling scales saving save run significant rules rule rotating rising risen rise ripped right seen selection sense series signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services service thanks thats little warrant were went well weeks week we waste was wants whats wanted want waiting wait vs virtue value vaccine what when their work yet yearly year ya wouldn would worth workable wont where without with willing will wife why who while ut using uses tightening tracking town tooo told today tired tipped times tight users throughout through this things thing they these there tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous return retiring news notified nothing nonsense nonesence non no nice next newest off new never needed need my must multiple much now offer retired opening our others other original or options option opportunity opened offered ontario only oneday one once ok often offset moving moved move loose making makes make luck loyalty lower lost losing looking more longer long lol locations location ll living live manservices market married may months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe out overpriced own rate recent reason really reality reactivate re rather rates raises profit raised raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 16 | Coherence=-223112.84 | Top words= taste disgusting extortion its youre company greedy family but different subscriptions are for have charge me about bill to pay my extra you this and away passed of the first paying other just start care take before again things need account subscription month it owner cancel has she didnt let had mom owning parent person re begin bills euro fair good got hacking gotten gouging entertainment grandkids great greed even fact face expensive hackednot expenses expected gone especially guys hacked everything every gonna financial going goes free forth forever forcing feel food focused fees flat fixed fix feet few financially fiance fee frequent from gf fan far finally given give girl fault fuel getting get gas garbage games future go health half instead keeps keeping keep justify joint join job jacking itself issues issue isnt isn is iny intolerable into kept kidding kids less limiting limited limit like life letting lesser legacy lack left leave learning layoff later last laid interested inflation hand increments horrible holder history hiking hikes hike higher high her help enough he having havent hardly hard happy hosehold house household improvements increasses increasing increases increased increase income in im households ill if idea husband hungry huge how entertaining drastically end benefit biggest biden biased biannually bf between better benefits being billings been becoming because became be barely bank back billing bit emails can caused caring cared card cant cannot cancelling canceling bye blindly by business buggin budget broke break boyfriend both awhile automatically aunt additional alarming agree againlater after afford adicional addtional addresses addition at adding added activities acct accounts access acceptance absurd all allow allowed almost as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already cell change changed declined divorce disgusts discontinue disappointed direction differences deteriorated delivering decisions cut death deal days day daughter date damn dad do doesnt don done email elsewhere else eliminating el edge easily earlier each duplicate due drive live drain down double dont cutting customers changes climb competitive compared coming come combining combine college climbing city customer choose choice checking cheaper charging charges charged changing compromised connected consider consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub squeeze spouses spouse spending spend span sorry soon stupid subscriber something terrible these there their thats that thanks thank than temporary subscribers temporarily talk taking system switching support summer success son someone ll scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short sharing share shady several settled they thing think week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why through would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will wait vs virtue too two twice trying try tried tracking town tooo told value today tired tipped times time tightening tight throughout unable under understand unemployed vaccine ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair risen rise ripped no off now notified nothing not nonsense nonesence non nice offered next news newest new never needed must multiple offer offset overpriced opportunity outside out our others original or options option opening often opened ontario only oneday one once on ok much moving moved lower manservices making makes make made luck loyalty your lost move losing loose looking longer long lol locations location many market married may more months monthly money monetary moment mistake mind might merge memberships membership members member medical means maybe over own right rather rectifying recession recently recent reason really reality reactivate rates reduce rate raising raises raised raise quickly quality putting redo reducing pagos restart ridiculous
Topic 17 | Coherence=-219701.29 | Top words= of to price change the out for lack billing service need hand getting will acceptance reality hikes date at customer budget are selection country help sharing all is anymore unable far my return no work just got terrible againlater tightening due moment tired addition death holder company happy temporary climbing account redo provider buggin down keeps membership money time expenses hungry financially vaccine come coming gouging give get extortion expensive greed gf great grandkids expected girl given especially go everything goes every going extra gonna good even euro entertainment gotten gone games face forcing financial first fix finally fiance fixed few flat greedy feet food fees feel forever gas fee forth fault free fan frequent family from fair fuel future fact garbage focused youre guys keeping justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead keep kept hacked kidding limited limit like life letting let lesser less legacy left leave learning layoff later last laid kids inflation increments increasses increasing hike higher high her enough health he having havent have has hardly hard half had hacking hackednot hiking history horrible ill increases increased increase income in improvements im if hosehold idea husband huge how households household house entertaining double end being biden biased biannually bf between better benefits benefit begin emails before been becoming because became be barely bank biggest bill billings bills card cant cannot cancelling canceling cancel can bye by but business broke break boyfriend both blindly bit back awhile away allowed alarming agree again after afford adicional addtional addresses additional adding added activities acct accounts access absurd about allow almost automatically already aunt as aren apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also care cared caring divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions deal days day daughter damn dad disgusts do cut doesnt email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain little dont done don cutting customers caused competitive combining combine college climb city choose choice checking cheaper charging charges charged charge changing changes changed cell compared compromised currently connected current currency creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider limiting loyal live start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone take that thanks thank than temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber something some living save seen seems see secure second scaling scales saving same series run rules rule rotating rising risen rise ripped sense services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she share shady several settled set thats their there we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who these wouldn youll you yet years yearly year yall ya would why worth workable wont won without with willing wife vs virtue value tipped try tried tracking town tooo too told today times ut tight throughout through this think things thing they trying twice two under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand right ridiculous retiring nice off now notified nothing not nonsense nonesence non next offered news newest new never needed must multiple much offer offset overpriced opportunity outside our others other original or options option opening often opened ontario only oneday one once on ok moving moved move lost making makes make made luck loyalty your lower losing more loose looking longer long lol locations location ll manservices many market married months monthly month monetary mom mistake mind might merge memberships members member medical means me maybe may over own retired raised really reactivate re rather rates rate raising raises raise recent quickly quality putting put pushed profits profit profiles reason recently owner repurposing resume
Topic 18 | Coherence=-232245.71 | Top words= and you subscription extra with my the family increase that of share don money about using when paying want bill outside like states power limit news idea sharing for charge no pay anymore longer if im more an won parents support will to even husband issues between users hosehold cant how can unable justify personal subscriptions unemployed reality agree lack joint lost change hungry re free got gotten fuel good gouging grandkids gonna give future girl games gone going garbage gas goes go from get getting gf given focused frequent everything fair fact face extortion expensive expenses expected every forth euro especially entertainment entertaining enough end emails fan far fault fee forever forcing food flat fixed fix first financially financial finally fiance few feet fees feel great he greed isnt join job jacking itself its it issue isn keep is iny intolerable into interested instead inflation just keeping greedy leave life letting let lesser less legacy left learning keeps layoff later last laid kids kidding kept increments increasses increasing hard health elsewhere having havent have has hardly happy increases hand half had hacking hackednot hacked guys help her high higher increased income in improvements ill huge households household house horrible holder history hiking hikes hike email youre else before biased biannually bf better benefits benefit being begin been biggest becoming because became be barely bank back awhile biden billing cared business card cannot cancelling canceling cancel bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd alarming all allow allowed as aren are apps aparently anyways any anticonsumer another annually amounts amount amercian am also already almost care caring eliminating days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed caused drastically el edge easily earlier each duplicate due drive drain discontinue down double dont doesnt do divorce disgusts disgusting currently current currency choice come combining combine college climbing climb city choose checking creep cheaper charging charges charged changing changes changed cell coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised done loyal limited spending stealing stay starting started start squeeze spouses spouse spend single span sorry soon son something someone some so stepdad stop stopped stopping than terrible temporary temporarily taste talk taking take system switching summer success subscribers subscriber sub stupid stranger situation since thanks run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped right ridiculous seems seen selection sense signaling sign sight sick shoves shouldn should short she shady several settled set servicio services service series thank thats retiring waste what were went well weeks week we way was ut warrant wants wanted waiting wait vs virtue value whats where while who youll yet years yearly year yall ya wouldn would worth workable work wont without willing wife why vaccine uses their tight too told today tired tipped times time tightening throughout used through this think things thing they these there tooo town tracking tried use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under two twice trying try return retired limiting newest notified nothing not nonsense nonesence non nice next new months never needed need must multiple much moving moved now off offer offered other original or options option opportunity opening opened ontario only oneday one once on ok often offset move monthly our loose makes make made luck loyalty your lower losing looking month long lol locations location ll living live little making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married others out resume raised reason really reactivate rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit recent recently recession rectifying
Topic 19 | Coherence=-215900.67 | Top words= subscriptions in need dont and two time my are business you we at decisions is well doesnt making sense resubscribe make consolidating guys other have house with when that one only moved it married moving significant got getting fiance some needed hard financially after household cancel had up provider our multiple short through set households cell merge lol elsewhere blindly cost ill squeeze get gonna gouging gotten good games going garbage gone goes go given give girl future gas gf focused fuel from family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails fan far fault flat frequent free forth forever forcing for food great fixed fee fix first financial finally few feet fees feel grandkids help greed its justify just joint join job jacking itself issues keeping issue isnt isn iny intolerable into interested keep keeps greedy leave life letting let lesser less legacy left learning kept layoff later last laid lack kids kidding instead inflation increments havent hike higher high her health he having has increasses hardly happy hand half hacking hackednot hacked hikes hiking history holder increasing increases increased increase income improvements im if idea husband hungry huge how hosehold horrible email youre else before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically buggin cant cannot cancelling canceling can bye by but budget bill broke break boyfriend both bit bills billings billing away aunt eliminating adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as annually aren apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed card care cared days different differences didnt deteriorated delivering declined death deal day disappointed daughter date damn dad cutting cut customers customer direction discontinue caring drastically el edge easily earlier each duplicate due drive drain disgusting down double limit done don do divorce disgusts currently current currency cheaper combine college climbing climb city choose choice checking charging creep charges charged charge changing changes changed change caused combining come coming company credit covid courtesy country costs continuous continues continue continually continously constantly constant consider connected compromised competitive compared like loyal limited started stopping stopped stop stepdad stealing stay states starting start stupid spouses spouse spending spend span sorry soon son stranger sub limiting talk thats thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscription subscribers something someone so same seems see secure second scaling scales saving save run situation rules rule rotating rising risen rise ripped right seen selection series service single since signaling sign sight sick shoves shouldn should she sharing share shady several settled servicio services the their there waste where whats what were went weeks week way was vaccine warrant wants wanted want waiting wait vs virtue while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value ut these tipped tracking town tooo too told today to tired times using tightening tight throughout this think things thing they tried try trying twice uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous return retiring nonesence offer off of now notified nothing not nonsense non move no nice next news newest new never must offered offset often ok own overpriced over outside out others original or options option opportunity opening opened ontario oneday once on much more owning loose makes made luck loyalty your lower lost losing looking months longer long locations location ll living live little manservices many market may monthly month money monetary moment mom mistake mind might memberships membership members member medical means me maybe owner pagos retired raising reason really reality reactivate re rather rates rate raises profiles raised raise quickly quality putting put pushed profits recent recently recession rectifying
Topic 20 | Coherence=-221816.56 | Top words= subscription too for to many hike newest charging an using hikes extra share hacked my not was with by the keep being that daughter getting hard used stranger notified people today fix opened living really acceptance pleased policies raising married duplicate mistake charges spouses tracking money ll new have as caring repurposing lack same fair greed garbage games future gas gf great grandkids get gouging gotten girl got good give gonna given go goes gone going youre focused fuel every family fact face extortion expensive expenses expected everything even from euro especially entertainment entertaining enough end emails email fan far fault fee frequent free forth forever forcing food flat fixed first financially financial finally fiance few feet fees feel greedy he guys increments joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead just justify keeping leave life letting let lesser less legacy left learning keeps layoff later last laid kids kidding kept inflation increasses hackednot increasing history hiking higher high her help health else having havent has hardly happy hand half had hacking holder horrible hosehold ill increases increased increase income in improvements im if house idea husband hungry huge how households household elsewhere down eliminating been biannually bf between better benefits benefit begin before becoming biden because became be barely bank back awhile away biased biggest aunt budget cancelling canceling cancel can bye but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at cant addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow amounts amount amercian am also already almost allowed cannot card el days differences didnt deteriorated delivering declined decisions death deal day direction date damn dad cutting cut customers customer currently different disappointed currency limit edge easily earlier each due drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting current creep care cheaper combine college climbing climb city choose choice checking charged come charge changing changes changed change cell caused cared combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stupid spouse spending spend span sorry soon son something stopping sub right talk thats thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers someone some so scales sense selection seen seems see secure second scaling saving situation save run rules rule rotating rising risen rise series service services servicio single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set their there these weeks while where when whats what were went well week vs we way waste warrant wants wanted want waiting who why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing wait virtue they times trying try tried town tooo told tired tipped time value tightening tight throughout through this think things thing twice two unable under vaccine ut uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped ridiculous limiting no offer off of now nothing nonsense nonesence non nice offset next news never needed need must multiple much offered often return options over outside out our others other original or option ok opportunity opening ontario only oneday one once on moving moved move losing makes make made luck loyalty your lower lost loose more looking longer long lol locations location live little making manservices market may months monthly month monetary moment mom mind might merge memberships membership members member medical means me maybe overpriced own owner rate recently recent reason reality reactivate re rather rates raises profit raised raise quickly quality putting put pushed provider recession rectifying redo reduce
Topic 21 | Coherence=-226872.68 | Top words= price the increase not to your for is will are raising year me months pay increases way has willing high be keep raised worth in long prices support every ridiculous of cancel enough stop options rate while renewing something great over each offset paying pushed increasses edge customer twice became member tired absurd dont out higher life please from caused since becoming resume later original isn charge wont nonesence pls care lower again change biannually need users given buggin replace entertaining frequent free financial financially garbage first games fix fixed flat future focused food keeps fuel gf forcing just get getting forever keeping finally justify forth gas fees fiance everything laid expensive last expenses layoff expected learning few leave left even euro especially entertainment extortion extra face lack kids fact fair family fan far fault fee feel kidding kept joint feet girl improvements give hosehold he intolerable health into help her interested instead hike hikes hiking history holder horrible house having inflation increments household households how huge hungry husband idea increasing if increased ill income iny havent join its go goes im gone gonna good got gotten job gouging jacking grandkids itself greed greedy have it guys hacked hackednot hacking had half hand issues happy issue hard hardly isnt going youre end being biggest biden biased bf between better benefits benefit begin billing before been because barely bank back awhile away bill billings aunt by cared card cant cannot cancelling canceling can bye but bills business budget broke break boyfriend both blindly bit automatically at emails addition agree againlater after afford adicional addtional addresses additional adding all added activities acct accounts account access acceptance about alarming allow as annually aren apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost caring cell changed declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day daughter date damn dad disgusting divorce changes due email elsewhere else eliminating el easily earlier duplicate drive do drastically drain less down double done don doesnt cutting cut customers climb compared company coming come combining combine college climbing city currently choose choice checking cheaper charging charges charged changing competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating legacy loyal lesser start stopping stopped stepdad stealing stay states starting started squeeze thats spouses spouse spending spend span sorry soon son stranger stupid sub subscriber thanks thank than terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscription subscribers someone some so service sense selection seen seems see secure second scaling scales saving save same run rules rule rotating rising series services situation servicio single significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set that their let warrant were went well weeks week we waste was wants there wanted want waiting wait vs virtue value vaccine what whats when where youll you yet years yearly yall ya wouldn would workable work won without with wife why who ut using uses tracking tooo too told today tipped times time tightening tight throughout through this think things thing they these town tried used try use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying risen rise ripped my no nice next news newest new never needed must right multiple much moving moved move more monthly month non nonsense nothing notified or option opportunity opening opened ontario only oneday one once on ok often offered offer off now money monetary moment luck lost losing loose looking longer lol locations location ll living live little limiting limited limit like letting loyalty made mom make mistake mind might merge memberships membership members medical means maybe may married market many manservices making makes other others our recession recent reason really reality reactivate re rather rates raises raise quickly quality putting put provider profits profit recently rectifying problem
Topic 22 | Coherence=-221461.19 | Top words= last just starting profit additional raising greedy profiles after is charge use year prices increase for and it my the to you in can months time many as moved see keeps by hardly but increasing household limiting date only single payment switching workable already free budget ill being repurposing finally week goes given give entertainment girl especially euro even every gf getting everything get gas garbage go financial games gone gonna entertaining good got enough gotten end emails gouging email grandkids great greed going expected future expenses fiance few feet fees feel financially fee guys fault far fix fixed flat focused fan family food fair fact forcing face forever forth extra frequent from extortion expensive fuel first youre hacked hackednot keeping keep justify joint join job jacking itself its issues issue isnt isn iny intolerable into interested kept kidding kids lesser little limited limit like life letting let less lack legacy left leave learning layoff later laid instead inflation increments havent higher high elsewhere help health he having have hikes has hard happy hand half had hacking hike hiking increasses husband increases increased income improvements im if idea hungry history huge how households house hosehold horrible holder her down else begin biden biased biannually bf between better benefits benefit before bill been becoming because became be barely bank back biggest billing away bye cared care card cant cannot cancelling canceling cancel business billings buggin broke break boyfriend both blindly bit bills awhile automatically eliminating adding agree againlater again afford adicional addtional addresses addition added all activities acct accounts account access acceptance absurd about alarming allow aunt anticonsumer at aren are apps aparently anyways anymore any another allowed annually an amounts amount amercian am also almost caring caused cell death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter damn dad cutting cut customers disappointed disgusting change drastically el edge easily earlier each duplicate due drive drain disgusts living double dont done don doesnt do divorce customer currently current choose coming come combining combine college climbing climb city choice currency checking cheaper charging charges charged changing changes changed company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected live loyal ll start stopping stopped stop stepdad stealing stay states started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone talk that thanks thank than terrible temporary temporarily taste taking subscriber take system support summer success subscriptions subscription subscribers something some their saving sense selection seen seems secure second scaling scales save service same run rules rule rotating rising risen rise series services so shouldn situation since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thats there location waste whats what were went well weeks we way was where warrant wants wanted want waiting wait vs virtue when while vaccine worth youll yet years yearly yall ya wouldn would work who wont won without with willing will wife why value ut these times tracking town tooo too told today tired tipped tightening try tight throughout through this think things thing they tried trying using until uses users used us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous non off of now notified nothing not nonsense nonesence no offered nice next news newest new never needed need offer offset multiple option outside out our others other original or options opportunity often opening opened ontario oneday one once on ok must much return your market manservices making makes make made luck loyalty lower may lost losing loose looking longer long lol locations married maybe moving mistake move more monthly month money monetary moment mom mind me might merge memberships membership members member medical means over overpriced own rate recent reason really reality reactivate re rather rates raises recession raised raise quickly quality putting put pushed provider recently rectifying owner residence retiring
Topic 23 | Coherence=-235955.82 | Top words= too prices it expensive for many much is worth not your now are increasing me you keep company options or going far seems biannually year entertaining after has consider ill like increases raised other new and service have fees anymore upward unfortunately just of no rules with money getting life subscriptions stupid customers different right amount added thanks rule never everything given maybe charges games subscribers high playing vs longer its tired offered itself later adding else use way whats choice rising but already prescription overpriced up being lol than her go tight this food expenses garbage gas get fee gf fault girl give expected fan feet family fair fact goes entertainment gone face gonna extortion feel future forcing financially forever focused flat fixed even fix first every euro forth few free financial frequent from finally fuel good fiance especially extra youre got husband iny intolerable into interested instead inflation increments increasses increased increase income in improvements im if isn isnt issue kept layoff last laid lack kids kidding keeps issues keeping justify joint join job jacking idea hungry gotten huge hardly hard happy hand half had hacking hackednot hacked guys greedy greed great grandkids gouging havent having he holder how households household house hosehold horrible history end hiking hikes hike higher help health enough divorce emails benefits billing bill biggest biden biased bf between better benefit back begin before been becoming because became be barely billings bills bit blindly care card cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both bank awhile caring additional alarming agree againlater again afford adicional addtional addresses addition away activities acct accounts account access acceptance absurd about all allow allowed almost automatically aunt at as aren apps aparently anyways any anticonsumer another annually an amounts amercian am also cared caused email declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusts leave do doesnt elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don cutting customer cell choose coming come combining combine college climbing climb city checking currently cheaper charging charged charge changing changes changed change compared competitive compromised connected current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating learning loyal left spend states starting started start squeeze spouses spouse spending span legacy sorry soon son something someone some so situation stay stealing stepdad stop temporary temporarily taste talk taking take system switching support summer success subscription subscriber sub stranger stopping stopped single since significant seen secure second scaling scales saving save same run rotating risen rise ripped ridiculous return retiring retired resume see selection signaling sense sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services series terrible thank that where what were went well weeks week we waste was warrant wants wanted want waiting wait virtue value when while ut who youll yet years yearly yall ya wouldn would workable work wont won without willing will wife why vaccine using thats town told today to tipped times time tightening throughout through think things thing they these there their the tooo tracking uses tried users used us upping upcoming until unneeded unnecessary unfair unemployed understand under unable two twice trying try resubscribe restriction restrict nonsense non nice next news newest needed need my must multiple moving moved move more months monthly month nonesence nothing moment notified others original option opportunity opening opened ontario only oneday one once on ok often offset offer off monetary mom out lower losing loose looking long locations location ll living live little limiting limited limit letting let lesser less lost loyalty mistake luck mind might merge memberships membership members member medical means may married market manservices making makes make made our outside restart reality re rather rates rate raising raises raise quickly quality putting put pushed provider profits profit profiles problem reactivate really price
Topic 24 | Coherence=-221249.34 | Top words= prices raising and are your who do in increase my rates with stop same than thing higher tracking the others their constantly elsewhere price they moved it how take money competitive shouldn market people some customer business pick from drive access of is on into manservices down success subscriber put son someone continously services restriction issues to financial family damn having able pay reside day both currently until waiting these climb benefit short monthly by twice as live has got goes go given going gone getting gonna good give girl gf been gotten againlater hard again happy hand half had hacking hackednot hacked guys greedy greed great grandkids get gouging future gas far fiance few feet fees feel fee fault fan allow allowed almost already fair fact face extra finally financially garbage forth agree games fuel alarming all frequent free forever first forcing for food focused flat fixed fix hardly health have isnt jacking itself its absurd acceptance issue account accounts job isn acct iny intolerable activities interested instead about join havent lack left leave learning layoff later last laid kids joint kidding kept keeps keeping keep justify just inflation increments increasses hike house hosehold horrible holder history hiking hikes adicional increasing high her help expensive he afford after household households addtional addresses increases increased added income adding improvements addition im ill if idea additional husband hungry huge extortion euro also automatically cheaper aunt charging charges charged charge changing changes care changed change away cell caused caring cared checking choice choose city consolidating consider connected apps aren compromised at compared company coming come combining combine college climbing awhile card expenses biased bills billings because billing bill biggest biden becoming cant biannually bf between better benefits being begin bit blindly boyfriend break cannot cancelling canceling back cancel can bye bank barely but be became buggin budget broke constant aparently anyways drain easily earlier each duplicate due amounts drastically an continually double dont done don annually doesnt less edge el eliminating else expected everything every even before am especially amercian entertainment entertaining enough end emails email amount divorce disgusts disgusting cutting customers any anymore current currency creep credit covid courtesy country costs cost continuous continues continue cut dad discontinue anticonsumer disappointed direction different differences didnt deteriorated delivering declined decisions another death deal days daughter date legacy youre lesser spouse stealing stay states starting started start squeeze spouses spending thats spend span sorry soon something so situation single stepdad stopped stopping stranger thanks thank terrible temporary temporarily taste talk taking system switching support summer subscriptions subscription subscribers sub stupid since significant signaling secure scaling scales saving save run rules rule rotating rising risen rise ripped right ridiculous return retiring retired second see sign seems sight sick shoves should she sharing share shady several settled set servicio service series sense selection seen that there resubscribe week where when whats what were went well weeks we things way waste was warrant wants wanted want wait while why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vs virtue value two try tried town tooo too told today tired tipped times time tightening tight throughout through this think trying unable vaccine under ut using uses users used use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand resume restrict let need no nice next news newest new never needed must options multiple much moving move more months month monetary non nonesence nonsense not opportunity opening opened ontario only oneday one once ok often offset offered offer off now notified nothing moment mom mistake lower losing loose looking longer long lol locations location ll living little limiting limited limit like life letting lost loyalty mind luck might merge memberships membership members member medical means me maybe may married many making makes make made option or restart pushed rather rate raises raised raise quickly quality putting provider original profits profit profiles problem pricing president prescription prefer re reactivate reality
Topic 25 | Coherence=-229830.30 | Top words= you to for sharing price more want people just pay prices that from subscription will greed me new they hikes loose even the with stop continue your guys on go something up future fee profiles charging how expected subscriptions don try because issues yet currently another squeeze out used make choice anymore raise cheaper spend kids increase less fair life take saving break creep yearly looking manservices back thank value billing hungry gone got good gonna games girl gf getting garbage goes gas given get give going first fuel frequent family fact face extra extortion expensive expenses everything every euro especially entertainment entertaining enough end emails email fan far fault fixed free forth forever forcing food focused flat fix feel financially financial finally fiance few feet fees gotten have gouging grandkids itself its it issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases jacking job join last lesser legacy left leave learning layoff later laid joint lack kidding kept keeps keeping keep justify increased income in happy he having havent else has hardly hard hand help half had hacking hackednot hacked greedy great health her improvements household im ill if idea husband huge households house high hosehold horrible holder history hiking hike higher elsewhere youre eliminating been bf between better benefits benefit being begin before becoming biased became be barely bank awhile away automatically aunt biannually biden el buggin cancelling canceling cancel can bye by but business budget biggest broke boyfriend both blindly bit bills billings bill at as aren adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways any anticonsumer annually and an amounts amount amercian am also already almost allowed allow cannot cant card deal different differences didnt deteriorated delivering declined decisions death days current day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont done doesnt do let disgusts customer currency care charged combine college climbing climb city choose checking charges charge credit changing changes changed change cell caused caring cared combining come coming company covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive compared divorce loyal letting sorry states starting started start spouses spouse spending span soon sign son someone some so situation single since significant stay stealing stepdad stopped terrible temporary temporarily taste talk taking system switching support summer success subscribers subscriber sub stupid stranger stopping signaling sight restriction rising scaling scales save same run rules rule rotating risen sick rise ripped right ridiculous return retiring retired resume second secure see seems shoves shouldn should short she share shady several settled set servicio services service series sense selection seen than thanks thats waste what were went well weeks week we way was their warrant wants wanted waiting wait vs virtue vaccine whats when where while youll years year yall ya wouldn would worth workable work wont won without willing wife why who ut using uses town too told today tired tipped times time tightening tight throughout through this think things thing these there tooo tracking users tried use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resubscribe restrict like newest not nonsense nonesence non no nice next news never months needed need my must multiple much moving moved nothing notified now of or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off move monthly restart lol made luck loyalty lower lost losing longer long locations month location ll living live little limiting limited limit makes making many market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married original other others quality re rather rates rate raising raises raised quickly putting our put pushed provider profits profit problem pricing president reactivate reality really
Topic 26 | Coherence=-222020.39 | Top words= price other don one my and the already are or choose have made putting activities into between kids this to expensive that married increase got memberships in husband need two direction scales selection me tipped get continually goes finally else hikes you multiple cannot much enough now recently everything users billings stopped share be feet amount live re oneday future fix expenses every go expected extortion given gone extra face give going even gonna gf good euro especially gotten entertainment gouging grandkids great greed greedy guys entertaining girl fair fact fee first flat financially financial hackednot fiance few focused food for fees feel forcing forever getting forth free frequent from fault fuel far fan family games garbage gas fixed hacked youre hacking had keep justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable keeping keeps kept legacy limit like life letting let lesser less left kidding leave learning layoff later last laid lack interested instead inflation he hiking hike end high her help health having holder havent has hardly hard happy hand half history horrible increments ill increasses increasing increases increased income improvements im if hosehold idea hungry huge how households household house higher drastically emails being biggest biden biased biannually bf better benefits benefit begin billing before been becoming because became barely bank back bill bills away by care card cant cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly awhile automatically caring addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all aunt anticonsumer at as aren apps aparently anyways anymore any another allow annually an amounts amercian am also almost allowed cared caused email death disappointed different differences didnt deteriorated delivering declined decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts customer due elsewhere eliminating el edge easily earlier each duplicate drive divorce limiting drain down double dont done doesnt do customers currently cell checking come combining combine college climbing climb city choice cheaper company charging charges charged charge changing changes changed change coming compared current continuous currency creep credit covid courtesy country costs cost continues competitive continue continously constantly constant consolidating consider connected compromised limited loyal little starting stupid stranger stopping stop stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers these taste their thats thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions soon son something second services service series sense seen seems see secure scaling someone saving save same run rules rule rotating rising servicio set settled several some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing shady there they living week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why thing would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will wait vs virtue today trying try tried tracking town tooo too told tired value times time tightening tight throughout through think things twice unable under understand vaccine ut using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed risen rise ripped nonesence offered offer off of notified nothing not nonsense non often no nice next news newest new never needed offset ok right others owning owner own overpriced over outside out our original on options option opportunity opening opened ontario only once must moving moved lost manservices making makes make luck loyalty your lower losing move loose looking longer long lol locations location ll many market may maybe more months monthly month money monetary moment mom mistake mind might merge membership members member medical means pagos parent parents rather redo rectifying recession recent reason really reality reactivate rates provider rate raising raises raised raise quickly quality put reduce reducing reflect rejoin
Topic 27 | Coherence=-227204.39 | Top words= price and too is the your subscription you why many access be am now luck increments checking canceling greed good we where increase will much sharing of bye keep what paying cost talk should recent limited was cant quality service has garbage increases less stopping constant half blindly done charged creep way horrible so increased quickly hike offered reflect risen their isnt expensive dad biggest tooo easily hackednot becoming living through secure customer how caring happy don high one finally cut more subscriber given get enough even fuel getting euro go give entertaining future gas from gf especially girl games entertainment forever frequent extra few feet fees feel fee extortion fault every far fan face family fair fact fiance financial financially first fix going fixed flat focused food expenses for forcing forth free expected everything goes youre gone isn job jacking itself its it issues issue iny in intolerable into interested instead inflation increasses increasing join joint just justify lesser legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping income improvements gonna hacking having end have hardly hard hand had hacked im guys greedy great grandkids gouging gotten got he health help her ill if idea husband hungry huge households household house hosehold holder history hiking hikes higher havent do emails biannually between better benefits benefit being begin before been because became barely bank back awhile away automatically aunt bf biased as biden cancelling cancel can by but business buggin budget broke break boyfriend both bit bills billings billing bill at aren card agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about againlater alarming are all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed allow cannot care email disgusting disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn cutting discontinue disgusts currently divorce elsewhere else eliminating el edge earlier each duplicate due drive drastically drain down double dont doesnt letting customers current cared come combine college climbing climb city choose choice cheaper charging charges charge changing changes changed change cell caused combining coming currency company credit covid courtesy country costs continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared let loyal life spouse stealing stay states starting started start squeeze spouses spending single spend span sorry soon son something someone some stepdad stop stopped stranger thank than terrible temporary temporarily taste taking take system switching support summer success subscriptions subscribers sub stupid situation since resubscribe rule second scaling scales saving save same run rules rotating significant rising rise ripped right ridiculous return retiring retired see seems seen selection signaling sign sight sick shoves shouldn short she share shady several settled set servicio services series sense thanks that thats wants whats were went well weeks week waste warrant wanted there want waiting wait vs virtue value vaccine ut when while who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing using uses users tried town told today to tired tipped times time tightening tight throughout this think things thing they these tracking try used trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume restriction like new nonsense nonesence non no nice next news newest never monthly needed need my must multiple moving moved move not nothing notified off other original or options option opportunity opening opened ontario only oneday once on ok often offset offer months month restrict longer make made loyalty lower lost losing loose looking long money lol locations location ll live little limiting limit makes making manservices market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married others our out put rather rates rate raising raises raised raise putting pushed outside provider profits profit profiles problem pricing prices president re reactivate reality
Topic 28 | Coherence=-215781.57 | Top words= to it my is subscription not have pay that just was so but bill because do card compromised after charged ill an allowed credit automatically told wanted option bank without you fault think worth charging started gotten afford prefer declined live the going won lack keep extra fact feel good gonna enough gone entertaining fiance got goes go given give girl gf face end getting emails had family hacking hackednot hacked guys fan fee greedy greed far great grandkids gouging entertainment get finally expenses for feet few food focused flat fixed especially expensive fix first financially financial extortion fees expected forcing forever forth free frequent everything from fuel future fair every garbage gas even euro games youre half kids kept keeps keeping justify joint join job jacking itself its issues issue isnt isn iny intolerable into kidding laid instead last living little limiting limited limit like life letting let lesser less legacy left leave learning layoff later interested inflation hand horrible history hiking hikes hike higher high elsewhere her help health he having havent has hardly hard happy holder hosehold increments house increasses increasing increases increased increase income in improvements im if idea husband hungry huge how households household email done else being biden biased biannually bf between better benefits benefit begin aunt before been becoming became be barely back awhile biggest billing billings bills cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit away at eliminating adding agree againlater again adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about alarming all allow almost aren are apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also already care cared caring deal direction different differences didnt deteriorated delivering decisions death days caused day daughter date damn dad cutting cut customers disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double dont location don doesnt divorce customer currently current coming combining combine college climbing climb city choose choice checking cheaper charges charge changing changes changed change cell come company currency compared creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected competitive ll loyal locations lol stepdad stealing stay states starting start squeeze spouses spouse spending spend span sorry soon son something someone some situation stop stopped stopping system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid single since significant run see secure second scaling scales saving save same rules seen rule rotating rising risen rise ripped right ridiculous seems selection signaling sharing sign sight sick shoves shouldn should short she share sense shady several settled set servicio services service series thank thanks thats waste what were went well weeks week we way warrant when wants want waiting wait vs virtue value vaccine whats where using would youll yet years yearly year yall ya wouldn workable while work wont with willing will wife why who ut uses their tightening town tooo too today tired tipped times time tight tried throughout through this things thing they these there tracking try users unneeded used use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice return retiring retired no off of now notified nothing nonsense nonesence non nice offered next news newest new never needed need must offer offset much opportunity outside out our others other original or options opening often opened ontario only oneday one once on ok multiple moving overpriced luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical over own resume raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently profiles replace resubscribe restriction
Topic 29 | Coherence=-229079.32 | Top words= to money need use as services do not dont for much and trying save it you enough prices other continues possible better why guys put so go needed forth up want good like now some been just more down others cut reduce really anymore bills offer cost using fees adding warrant spending lesser drain service barely months weeks my right several discontinue virtue political signaling activities summer temporarily never often health we scaling few am prefer platforms only times especially going fuel goes end given games give garbage entertaining gf future getting from entertainment get gas girl even frequent gone family fan fact face far fault fee feel extra extortion feet fiance finally financial first free fix fixed expensive expenses flat expected everything every focused fair food euro forcing forever financially has gonna issues isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased increase income in issue its im itself learning layoff later last laid lack kids kidding kept keeps keeping keep justify joint join job jacking improvements ill got he havent have hardly hard happy hand half had hacking hackednot hacked greedy greed great grandkids gouging gotten having help if her idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike higher high emails youre email benefit bill biggest biden biased biannually bf between benefits being away begin before becoming because became be bank back billing billings bit blindly card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both awhile automatically cared additional agree againlater again after afford adicional addtional addresses addition aunt added acct accounts account access acceptance absurd about alarming all allow allowed at aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian also already almost care caring elsewhere deal different differences didnt deteriorated delivering declined decisions death days current day daughter date damn dad cutting customers customer direction disappointed disgusting disgusts else eliminating el edge easily earlier each duplicate due drive drastically double done don doesnt left divorce currently currency caused cheaper combine college climbing climb city choose choice checking charging creep charges charged charge changing changes changed change cell combining come coming company credit covid courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared leave loyal legacy start stopped stop stepdad stealing stay states starting started squeeze less spouses spouse spend span sorry soon son something stopping stranger stupid sub thanks thank than terrible temporary taste talk taking take system switching support success subscriptions subscription subscribers subscriber someone situation single seems secure second scales saving same run rules rule rotating rising risen rise ripped ridiculous return retiring retired see seen since selection significant sign sight sick shoves shouldn should short she sharing share shady settled set servicio series sense that thats the who where when whats what were went well week way waste was wants wanted waiting wait vs value while wife ut will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vaccine uses their town too told today tired tipped time tightening tight throughout through this think things thing they these there tooo tracking users tried used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice try resume resubscribe restriction non nice next news newest new must multiple moving moved move monthly month monetary moment mom mistake mind no nonesence merge nonsense options option opportunity opening opened ontario oneday one once on ok offset offered off of notified nothing might memberships original lost loose looking longer long lol locations location ll living live little limiting limited limit life letting let losing lower membership your members member medical means me maybe may married market many manservices making makes make made luck loyalty or our restrict reactivate rather rates rate raising raises raised raise quickly quality putting pushed provider profits profit profiles problem pricing re reality president
Topic 30 | Coherence=-222097.22 | Top words= it afford this to can time now job anymore at not don cant but due using losing month right inflation too by lost have am my think thanks pay way president caused biden money again rising willing high longer start apps cannot interested get costs charge second much want any vaccine recession happy gas other food increased upping additional cheaper isn greedy going goes go given everything expected give gone expenses expensive guys girl every even gonna greed good euro got getting entertaining gotten gouging grandkids especially entertainment great gf finally extortion fees focused fee flat fixed hackednot feel feet forcing fix first financially financial few fiance for forever extra future face fact garbage games fair family fuel forth fan from frequent far fault free hacked youre hacking itself keeping keep justify just joint join jacking its kept issues issue isnt is iny intolerable into keeps kidding increments legacy limit like life letting let lesser less left kids leave learning layoff later last laid lack instead increasses had health hiking hikes end hike higher her help he holder having havent has hardly hard hand half history horrible increasing if increases increase income in improvements im ill idea hosehold husband hungry huge how households household house enough dont emails being biggest biased biannually bf between better benefits benefit begin change before been becoming because became be barely bank bill billing billings bills caring cared care card cancelling canceling cancel bye business buggin budget broke break boyfriend both blindly bit back awhile away all agree againlater after adicional addtional addresses addition adding added activities acct accounts account access acceptance absurd about alarming allow automatically allowed aunt as aren are aparently anyways anticonsumer another annually and an amounts amount amercian also already almost cell changed email declined discontinue disappointed direction different differences didnt deteriorated delivering decisions changes death deal days day daughter date damn dad disgusting disgusts divorce do elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain down double limiting done doesnt cutting cut customers compromised compared company coming come combining combine college climbing climb city choose choice checking charging charges charged changing competitive connected customer consider currently current currency creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating limited loyal little spouses stop stepdad stealing stay states starting started squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger that system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub some so situation saving sense selection seen seems see secure scaling scales save single same run rules rule rotating risen rise ripped series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thank thats return week where when whats what were went well weeks we who waste was warrant wants wanted waiting wait vs while why the wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with will virtue value ut tightening tracking town tooo told today tired tipped times tight uses throughout through things thing they these there their tried try trying twice users used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring live no offer off of notified nothing nonsense nonesence non nice offset next news newest new never needed need must offered often own option over outside out our others original or options opportunity ok opening opened ontario only oneday one once on multiple moving moved your many manservices making makes make made luck loyalty lower move loose looking long lol locations location ll living market married may maybe more months monthly monetary moment mom mistake mind might merge memberships membership members member medical means me overpriced owner retired raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently owning repurposing resume
 65%|██████▍   | 31/48 [1:43:03<1:22:22, 290.71s/it]
Topic 31 | Coherence=-223455.21 | Top words= price the and keep hike raising has your us you like since that gone of up share member anymore deteriorated span in drastically letting just was selection again not months to are canceling earlier sorry went oneday newest or start have really good there will damn days jacking series moved popular stupid kidding fault made annually sharing guys biased politically addtional every re losing tried having afford after situation thanks yearly subscriber prefer don fuel games from especially euro future gonna entertaining garbage entertainment gas end going getting goes gf go girl give given enough get extra frequent expected fact fair family fan extortion far expensive fee feel expenses fees feet few fiance everything free finally financial financially first fix fixed flat focused even food face forcing forever forth for youre got improvements issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased increase it its itself laid legacy left leave learning layoff later last lack job kids kept keeps keeping justify joint join income im gotten ill he havent email hardly hard happy hand half had hacking hackednot hacked greedy greed great grandkids gouging health help her household if idea husband hungry huge how households house high hosehold horrible holder history hiking hikes higher emails do elsewhere benefit bill biggest biden biannually bf between better benefits being back begin before been becoming because became be barely billing billings bills bit card cant cannot cancelling cancel can bye by but business buggin budget broke break boyfriend both blindly bank awhile cared adding all alarming agree againlater adicional addresses additional addition added away activities acct accounts account access acceptance absurd about allow allowed almost already automatically aunt at as aren apps aparently anyways any anticonsumer another an amounts amount amercian am also care caring else day different differences didnt delivering declined decisions death deal daughter creep date dad cutting cut customers customer currently current direction disappointed discontinue disgusting eliminating el edge easily each duplicate due drive drain down double dont done doesnt lesser divorce disgusts currency credit caused cheaper combine college climbing climb city choose choice checking charging covid charges charged charge changing changes changed change cell combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared less loyal let spouses stop stepdad stealing stay states starting started squeeze spouse their spending spend soon son something someone some so stopped stopping stranger sub thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers single significant signaling second scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired scaling secure sign see sight sick shoves shouldn should short she shady several settled set servicio services service sense seen seems thats these resubscribe way when whats what were well weeks week we waste they warrant wants wanted want waiting wait vs virtue where while who why youll yet years year yall ya wouldn would worth workable work wont won without with willing wife value vaccine ut try town tooo too told today tired tipped times time tightening tight throughout through this think things thing tracking trying using twice uses users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two resume restriction life needed nonesence non no nice next news new never need others my must multiple much moving move more monthly nonsense nothing notified now original options option opportunity opening opened ontario only one once on ok often offset offered offer off month money monetary make loyalty lower lost loose looking longer long lol locations location ll living live little limiting limited limit luck makes moment making mom mistake mind might merge memberships membership members medical means me maybe may married market many manservices other our restrict putting rather rates rate raises raised raise quickly quality put out pushed provider profits profit profiles problem pricing prices reactivate reality reason
Average topic coherence for the top words is -223095.21650888672
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.38it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.28it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.30it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.34it/s]
 10%|█         | 5/50 [00:00<00:08,  5.30it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.29it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.29it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.30it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.31it/s]
 20%|██        | 10/50 [00:01<00:07,  5.32it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.32it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.33it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.34it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.33it/s]
 30%|███       | 15/50 [00:02<00:06,  5.31it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.29it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.29it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.33it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.33it/s]
 40%|████      | 20/50 [00:03<00:05,  5.36it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.35it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.37it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.37it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.36it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.33it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.30it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.34it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.33it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.30it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.31it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.31it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.31it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.31it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.31it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.32it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.29it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.29it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.28it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.28it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.26it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.27it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.29it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.30it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.30it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.35it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.35it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.33it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.36it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.35it/s]
100%|██████████| 50/50 [00:09<00:00,  5.32it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.58it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.55it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.55it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.56it/s]
 10%|█         | 5/50 [00:00<00:06,  6.55it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.56it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.54it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.50it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.47it/s]
 20%|██        | 10/50 [00:01<00:06,  6.49it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.50it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.51it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.52it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.54it/s]
 30%|███       | 15/50 [00:02<00:05,  6.55it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.52it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.54it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.55it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.56it/s]
 40%|████      | 20/50 [00:03<00:04,  6.55it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.56it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.55it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.53it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.52it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.49it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.50it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.51it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.53it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.53it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.53it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.51it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.52it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.53it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.55it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.54it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.53it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.54it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.53it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.54it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.55it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.56it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.53it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.51it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.51it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.52it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.51it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.55it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.54it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.54it/s]
100%|██████████| 50/50 [00:07<00:00,  6.53it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.55it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.54it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.54it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.53it/s]
 10%|█         | 5/50 [00:01<00:12,  3.52it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.52it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.52it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.52it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.52it/s]
 20%|██        | 10/50 [00:02<00:11,  3.53it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.52it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.53it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.52it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.49it/s]
 30%|███       | 15/50 [00:04<00:10,  3.50it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.49it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.50it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.51it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.52it/s]
 40%|████      | 20/50 [00:05<00:08,  3.51it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.52it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.52it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.51it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.52it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.51it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.51it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.52it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.52it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.51it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.52it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.54it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.52it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.50it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.51it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.51it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.52it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.53it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.52it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.52it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.52it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.50it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.50it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.51it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.52it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.51it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.51it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.52it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.53it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.52it/s]
100%|██████████| 50/50 [00:14<00:00,  3.51it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.68it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.68it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.70it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.70it/s]
 10%|█         | 5/50 [00:01<00:16,  2.71it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.71it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.70it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.69it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.70it/s]
 20%|██        | 10/50 [00:03<00:14,  2.69it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.70it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.70it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.70it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.70it/s]
 30%|███       | 15/50 [00:05<00:12,  2.70it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.70it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.71it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.72it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.72it/s]
 40%|████      | 20/50 [00:07<00:11,  2.72it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.71it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.71it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.70it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.70it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.70it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.71it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.72it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.72it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.71it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.71it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.71it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.71it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.71it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.70it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.70it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.70it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.71it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.71it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.71it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.71it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.70it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.71it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.69it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.70it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.71it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.71it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.72it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.72it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.71it/s]
100%|██████████| 50/50 [00:18<00:00,  2.71it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.79it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.80it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.80it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.79it/s]
 10%|█         | 5/50 [00:02<00:25,  1.80it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.79it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.80it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.80it/s]
 18%|█▊        | 9/50 [00:05<00:22,  1.80it/s]
 20%|██        | 10/50 [00:05<00:22,  1.80it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.80it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.80it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.80it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.80it/s]
 30%|███       | 15/50 [00:08<00:19,  1.80it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.81it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.81it/s]
 36%|███▌      | 18/50 [00:10<00:17,  1.80it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.80it/s]
 40%|████      | 20/50 [00:11<00:16,  1.80it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.80it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.79it/s]
 46%|████▌     | 23/50 [00:12<00:15,  1.79it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.79it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.79it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.79it/s]
 54%|█████▍    | 27/50 [00:15<00:12,  1.80it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.80it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.79it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.80it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.80it/s]
 64%|██████▍   | 32/50 [00:17<00:10,  1.80it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.80it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.80it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.80it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.81it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.80it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.80it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.80it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.80it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.80it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.79it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.79it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.80it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.80it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.80it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.79it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.79it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.80it/s]
100%|██████████| 50/50 [00:27<00:00,  1.80it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.53it/s]
Topic 0 | Coherence=-231242.63 | Top words= to the price enough with no prices up about don you continues greedy that have cared were understand what begin wouldn leave re hiking means benefit service us high being ll longer keep only increases climb money if worth added use good value better me of cost currently other go when more services do be as keeps used limit this justify frequent will nonsense hardly isnt outside cheaper warrant vs reflect replace limiting long household expensive having wants had forth layoff later forever food forcing last for future free from fuel flat laid games lack garbage gas get getting gf girl give given focused fiance fixed fix extra extortion expenses expected everything every even euro especially entertainment left entertaining legacy end emails face fact fair feet first financially financial finally going few fees family feel fee learning fault far fan goes great gone husband issues it its itself ill idea hungry job huge how households house hosehold horrible im improvements in income increase increased issue increasing isn increasses increments inflation instead interested is into intolerable jacking holder gonna kidding half hacking hackednot hacked kept guys greed join iny kids grandkids gouging gotten got hand happy hard keeping has havent he health help her just elsewhere higher hike hikes joint history email youre else been biggest biden biased biannually bf between benefits before becoming at because became barely bank back awhile away automatically bill billing billings bills cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit aunt aren card additional agree againlater again after afford adicional addtional addresses addition are adding activities acct accounts account access acceptance absurd alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost cant care eliminating death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double dont done doesnt lesser divorce customers current caring charging combining combine college climbing city choose choice checking charges currency charged charge changing changes changed change cell caused come coming company compared creep credit covid courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive less loyal let sorry started start squeeze spouses spouse spending spend span soon signaling son something someone some so situation single since starting states stay stealing take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad significant sign letting rotating scaling scales saving save same run rules rule rising sight risen rise ripped right ridiculous return retiring retired second secure see seems sick shoves shouldn should short she sharing share shady several settled set servicio series sense selection seen taking talk taste want well weeks week we way waste was wanted waiting temporarily wait virtue vaccine ut using uses users upward went whats where while youll yet years yearly year yall ya would workable work wont won without willing wife why who upping upcoming until times tightening tight throughout through think things thing they these there their thats thanks thank than terrible temporary time tipped unneeded tired unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking town tooo too told today resume resubscribe restriction never not nonesence non nice next news newest new needed our need my must multiple much moving moved move nothing notified now off original or options option opportunity opening opened ontario oneday one once on ok often offset offered offer months monthly month make luck loyalty your lower lost losing loose looking lol locations location living live little limited like life made makes monetary making moment mom mistake mind might merge memberships membership members member medical maybe may married market many manservices others out restrict putting rates rate raising raises raised raise quickly quality put over pushed provider profits profit profiles problem pricing president rather reactivate reality
Topic 1 | Coherence=-228277.74 | Top words= you people for that youre better other charge kept reason prices gonna cheaper using services keep if and only was charging now so are im out subscription raising your to it pay want guys just because they sharing something from extortion good stop really canceling even trying series popular currency card my in euro ok ya flat fee give given go fault entertainment goes going entertaining far enough gone end fan family fair got emails fact gotten expenses gouging grandkids great email face greed expensive girl gf focused getting fixed fix first financially financial every everything finally especially forcing forever extra fiance forth free frequent few fuel future feet games fees feel garbage expected gas get food hardly greedy keeping joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation justify keeps increasses kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids increments increasing hacked hike high her help health he having havent have has else hard happy hand half had hacking hackednot higher hikes increases hiking increased increase income improvements ill idea husband hungry huge how households household house hosehold horrible holder history elsewhere dont eliminating been biannually bf between benefits benefit being begin before becoming biden became be barely bank back awhile away automatically biased biggest at budget cancelling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt as cant adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cannot care el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drain edge easily earlier each duplicate due drive drastically down disgusting double limiting done don doesnt do divorce disgusts customer current cared checking combining combine college climbing climb city choose choice charges coming charged changing changes changed change cell caused caring come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive limited loyal little start stopping stopped stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub their talk thats thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers someone some situation same seems see secure second scaling scales saving save run single rules rule rotating rising risen rise ripped right seen selection sense service since significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio the there live we when whats what were went well weeks week way while waste warrant wants wanted waiting wait vs virtue where who these worth youll yet years yearly year yall wouldn would workable why work wont won without with willing will wife value vaccine ut times tracking town tooo too told today tired tipped time uses tightening tight throughout through this think things thing tried try twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous return retiring new nonsense nonesence non no nice next news newest never nothing needed need must multiple much moving moved move not notified retired ontario others original or options option opportunity opening opened oneday of one once on often offset offered offer off more months monthly losing making makes make made luck loyalty lower lost loose month looking longer long lol locations location ll living manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may our outside over raised recent reality reactivate re rather rates rate raises raise problem quickly quality putting put pushed provider profits profit recently recession rectifying redo
Topic 2 | Coherence=-223559.08 | Top words= my on the for subscription back will now prices money raising you be don just elsewhere take divorce as constantly when are another business through services going service get of courtesy left got changing using resume wife spending phone better payday spend im moving done own lesser bank less thats others offer next keeps continously ill restriction feet off cutting thank free year later hungry barely aren remarried never drain games future youre garbage gas getting gf girl given go goes gone gonna good give fixed fuel from fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining far fault fee gouging frequent forth forever forcing food focused flat fix feel first financially financial finally fiance few fees gotten having grandkids itself it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased its jacking great job letting let legacy leave learning layoff last laid lack kids kidding kept keeping keep justify joint join increase income in improvements he end havent have has hardly hard happy hand half had hacking hackednot hacked guys greedy greed health help her house if idea husband huge how households household hosehold high horrible holder history hiking hikes hike higher enough double emails being biggest biden biased biannually bf between benefits benefit begin care before been becoming because became awhile away automatically bill billing billings bills cant cannot cancelling canceling cancel can bye by but buggin budget broke break boyfriend both blindly bit aunt at apps againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree aparently alarming anyways anymore any anticonsumer annually and an amounts amount amercian am also already almost allowed allow all card cared email deal different differences didnt deteriorated delivering declined decisions death days caring day daughter date damn dad cut customers customer direction disappointed discontinue disgusting else eliminating el edge easily earlier each duplicate due drive drastically down like dont doesnt do disgusts currently current currency combining college climbing climb city choose choice checking cheaper charging charges charged charge changes changed change cell caused combine come creep coming credit covid country costs cost continuous continues continue continually constant consolidating consider connected compromised competitive compared company life loyal limit start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse span sorry soon son something someone stopping stupid limited talk their that thanks than terrible temporary temporarily taste taking sub system switching support summer success subscriptions subscribers subscriber some so situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set there these they waste what were went well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue whats where while who youll yet years yearly yall ya wouldn would worth workable work wont won without with willing why value ut thing tired tried tracking town tooo too told today to tipped uses times time tightening tight throughout this think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable right ridiculous return needed nonsense nonesence non no nice news newest new need monetary must multiple much moved move more months monthly not nothing notified offered our other original or options option opportunity opening opened ontario only oneday one once ok often offset month moment outside longer luck loyalty your lower lost losing loose looking long mom lol locations location ll living live little limiting made make makes making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices out over retiring raised really reality reactivate re rather rates rate raises raise problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 3 | Coherence=-224870.48 | Top words= price increases has too much are or you entertaining biannually the consider after options company other year increasing seems far ill your me like prices many this have it in and stop new customer ridiculous addtional youll back as upcoming months over edge pushed two amount time short cost risen quickly subscription broke history raises often throughout biased covid politically gouging am flat divorce means garbage get euro even gas every games free future fuel from frequent getting fee girl give given go goes let going gone especially gonna good lesser entertainment got gotten gf expected everything financial feel fees feet few fault fan fiance finally family life fair fact grandkids financially forth first fix fixed focused face food for extra extortion expensive forcing forever expenses letting kept great laid interested instead inflation increments increasses lack increased increase intolerable income improvements im last later if layoff into iny greed jacking keeping keep justify just joint join job kidding is itself its issues issue isnt kids isn idea husband hungry hand leave hardly hard left legacy happy less keeps huge half had hacking hackednot hacked guys greedy havent having enough health how households household house hosehold horrible holder hiking hikes hike learning higher high her help he youre end benefit billing bill biggest biden bf between better benefits being bills begin before been becoming because became be barely billings bit emails can cared care card cant cannot cancelling canceling cancel bye blindly by but business buggin budget break boyfriend both bank awhile away adding agree againlater again afford adicional addresses additional addition added automatically activities acct accounts account access acceptance absurd about alarming all allow allowed aunt at aren apps aparently anyways anymore any anticonsumer another annually an amounts amercian also already almost caring caused cell delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cutting decisions death deal days day daughter date damn disgusts do doesnt don email elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down limit dont done dad cut change choice come combining combine college climbing climb city choose checking customers cheaper charging charges charged charge changing changes changed coming compared competitive compromised currently current currency creep credit courtesy country costs continuous continues continue continually continously constantly constant consolidating connected double loyal limited start stopping stopped stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub limiting talk that thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers something someone some scales series sense selection seen see secure second scaling saving so save same run rules rule rotating rising rise service services servicio set situation single since significant signaling sign sight sick shoves shouldn should she sharing share shady several settled thats their there we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who why yet years yearly yall ya wouldn would worth workable work wont won without with willing will wife vs value these tired try tried tracking town tooo told today to tipped vaccine times tightening tight through think things thing they trying twice unable under ut using uses users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand ripped right return next notified nothing not nonsense nonesence non no nice news move newest never needed need my must multiple moving now of off offer out our others original option opportunity opening opened ontario only oneday one once on ok offset offered moved more overpriced looking make made luck loyalty lower lost losing loose longer monthly long lol locations location ll living live little makes making manservices market month money monetary moment mom mistake mind might merge memberships membership members member medical maybe may married outside own retiring rates recently recent reason really reality reactivate re rather rate profiles raising raised raise quality putting put provider profits recession rectifying redo reduce
Topic 4 | Coherence=-226343.53 | Top words= and you me to in money that my want cancel even will from with price different keep on since because continue is been increase live prices membership mom years restrict places two go yet squeeze people more havent yall how try stealing pick using shouldn market manservices drive competitive up down subscriber son who raise kids moved out made fair of choose caused afford into gf boyfriend spend already business thank warrant much have provider continously week gonna given fuel future games gas get gone going garbage girl goes getting give youre frequent fault fan family fact face extra extortion expensive expenses expected everything every euro especially entertainment entertaining enough end far fee free feel forth forever forcing for food focused flat fixed fix first financially financial good fiance few feet fees finally having got instead issues issue isnt isn iny intolerable interested inflation its increments increasses increasing increases increased income improvements it itself ill kidding leave learning layoff later last laid lack kept jacking keeps keeping justify just joint join job im if gotten hacking has hardly hard happy hand half had hackednot he hacked guys greedy greed great grandkids gouging email health idea horrible husband hungry huge households household house hosehold holder help history hiking hikes hike higher high her emails do elsewhere before biannually bf between better benefits benefit being begin becoming at became be barely bank back awhile away automatically biased biden biggest bill cannot cancelling canceling can bye by but buggin budget broke break both blindly bit bills billings billing aunt as card adding againlater again after adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also almost allowed cant care else deal direction differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers disappointed discontinue disgusting disgusts eliminating el edge easily earlier each duplicate due drastically drain double dont done don doesnt legacy divorce customer current cared charging combine college climbing climb city choice checking cheaper charges currency charged charge changing changes changed change cell caring combining come coming company creep credit covid courtesy country costs cost continuous continues continually constantly constant consolidating consider connected compromised compared left loyal less sorry states starting started start spouses spouse spending span soon terrible something someone some so situation single significant signaling stay stepdad stop stopped temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers sub stupid stranger stopping sign sight sick second scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired scaling secure shoves see should short she sharing share shady several settled set servicio services service series sense selection seen seems temporary than lesser wanted went well weeks we way waste was wants waiting thanks wait vs virtue value vaccine ut uses users were what whats when youll yearly year ya wouldn would worth workable work wont won without willing wife why while where used use us today tipped times time tightening tight throughout through this think things thing they these there their the thats tired told upward too upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying tried tracking town tooo resume resubscribe restriction new nonsense nonesence non no nice next news newest never restart needed need must multiple moving move months monthly not nothing notified now or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off month monetary moment lost loose looking longer long lol locations location ll living little limiting limited limit like life letting let losing lower mistake your mind might merge memberships members member medical means maybe may married many making makes make luck loyalty original other others reality re rather rates rate raising raises raised quickly quality putting put pushed profits profit profiles problem pricing reactivate really prescription
Topic 5 | Coherence=-230207.08 | Top words= money of extra share greedy you subscriptions your also to many years over fan charging past hikes few the don way company price with extortion me that bill family increase like taste power paying without news about its idea using when out want stay tired playing subscribers games cost different disgusts now job living greed is losing disgusting married loyal bank allow alarming great grandkids gouging all gotten got good guys gonna gone going goes go given give agree hacked gf hardly help health he having havent have has hard hackednot happy hand half had again hacking againlater girl getting high fees first financially financial finally fiance amercian feet feel fix fee fault far amount amounts fair fact am fixed get frequent allowed gas garbage almost future fuel from free flat forth forever forcing for food already focused her higher an joint keeps keeping keep account justify accounts just acct kidding join activities jacking itself added it issues kept kids isnt left life letting let absurd lesser less legacy leave lack learning layoff later acceptance last laid access issue isn hike house addtional husband hungry huge how households household hosehold if adicional afford horrible holder history hiking after addresses ill adding increments iny intolerable addition into interested instead inflation increasses im increasing increases increased additional income in improvements face and barely caused changing aren changes as changed change cell caring charged cared care card at cant cannot cancelling charge charges cancel college competitive compared aparently coming come combining combine climbing are climb city apps choose choice checking cheaper canceling can connected benefit biden biased biannually bf between better benefits being back begin before been becoming because became be biggest awhile aunt broke bye automatically by but business buggin budget break away boyfriend both blindly bit bills billings billing compromised consider expensive double each duplicate due drive drastically drain down limit easily done annually doesnt do divorce another anticonsumer earlier edge disappointed entertainment expenses expected everything every even euro especially entertaining el enough end emails email elsewhere else eliminating discontinue direction consolidating costs current currency creep credit covid courtesy country anyways currently continuous continues continue continually continously constantly constant anymore customer any deal differences didnt deteriorated delivering declined decisions death days customers day daughter date damn dad cutting cut dont youre limited spending stealing states starting started start squeeze spouses spouse spend stop span sorry soon son something someone some so stepdad stopped limiting system thank than terrible temporary temporarily talk taking take switching stopping support summer success subscription subscriber sub stupid stranger situation single since same seems see secure second scaling scales saving save run significant rules rule rotating rising risen rise ripped right seen selection sense series signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services service thanks thats their was what were went well weeks week we waste warrant uses wants wanted waiting wait vs virtue value vaccine whats where while who youll yet yearly year yall ya wouldn would worth workable work wont won willing will wife why ut users there tightening town tooo too told today tipped times time tight used throughout through this think things thing they these tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous return retiring nice off notified nothing not nonsense nonesence non no next moving newest new never needed need my must multiple offer offered offset often our others other original or options option opportunity opening opened ontario only oneday one once on ok much moved overpriced loose making makes make made luck loyalty lower lost looking move longer long lol locations location ll live little manservices market may maybe more months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means outside own retired rate recent reason really reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recently recession rectifying redo
Topic 6 | Coherence=-215699.17 | Top words= price the and hike of since your was has subscription member increase that gone selection deteriorated drastically span like just is in months up talk limited recent raised or bye earlier sorry oneday went became being have ridiculous again business over customer loyal annually agree after taking stupid shady reality last by re buggin gf later going goes fix fixed flat leave focused food for forcing forever forth free frequent learning from fuel future go given first games garbage give gas girl get getting layoff issues left financially every expensive expenses expected let everything letting life even extra euro especially limit entertainment entertaining enough end extortion face good feel financial finally fiance few feet legacy fees fee fact less fault far fan family fair lesser gonna grandkids got job join improvements im ill if idea husband hungry huge how households household house joint hosehold income increased holder increases isnt isn it iny intolerable its into interested instead inflation increments increasses itself jacking increasing horrible history gotten lack hard happy hand half laid had hacking hackednot hacked guys greedy greed great issue gouging hardly kids hiking email hikes justify keep keeping higher high keeps her help health kept he kidding having havent emails double elsewhere begin biden biased biannually bf between better benefits benefit before bill been becoming because be barely bank back awhile biggest billing else can cared care card cant cannot cancelling canceling cancel but billings budget broke break boyfriend both blindly bit bills away automatically aunt adding alarming againlater afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about all allow allowed almost as aren are apps aparently anyways anymore any anticonsumer another an amounts amount amercian am also already caring caused cell deal direction different differences didnt delivering declined decisions death days current day daughter date damn dad cutting cut customers disappointed discontinue disgusting disgusts eliminating el edge easily each duplicate due drive drain down little dont done don doesnt do divorce currently currency change choice come combining combine college climbing climb city choose checking creep cheaper charging charges charged charge changing changes changed coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limiting youre live starting stranger stopping stopped stop stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend soon son sub subscribers someone terrible they these there their thats thanks thank than temporary subscriptions temporarily taste take system switching support summer success something some living save seen seems see secure second scaling scales saving same series run rules rule rotating rising risen rise ripped sense service so shouldn situation single significant signaling sign sight sick shoves should services short she sharing share several settled set servicio thing things think week while where when whats what were well weeks we why way waste warrant wants wanted want waiting wait who wife this wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs virtue value today trying try tried tracking town tooo too told to vaccine tired tipped times time tightening tight throughout through twice two unable under ut using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand right return retiring news nothing not nonsense nonesence non no nice next newest now new never needed need my must multiple much notified off outside opened our others other original options option opportunity opening ontario offer only one once on ok often offset offered moving moved move lost manservices making makes make made luck loyalty lower losing more loose looking longer long lol locations location ll many market married may monthly month money monetary moment mom mistake mind might merge memberships membership members medical means me maybe out overpriced retired quickly really reactivate rather rates rate raising raises raise quality recently putting put pushed provider profits profit profiles problem reason recession own repurposing resume
Topic 7 | Coherence=-215697.49 | Top words= with issues of profiles future price having and expected hikes don off fuel other expenses sharing just cut on rise reducing costs financial entertainment money states laid lol unemployed sick benefits being ripped in some back quality unneeded acceptance subscriptions get because past agree need from frequent flat let free lesser forth focused forcing legacy for food less forever leave left learning got good gonna gone going goes go given letting give girl gf getting gas garbage games fixed financially fix even limit expensive limited limiting everything every little euro life especially live entertaining enough end emails email extortion extra face fact first gouging like finally fiance few feet fees feel fee fault far fan family fair gotten justify grandkids increase increments increasses increasing increases increased kept kidding kids lack income improvements im ill if idea husband inflation instead interested into keep join job jacking itself its it keeping keeps issue isnt isn is iny intolerable hungry last great half havent have has hardly hard happy hand had huge hacking hackednot hacked guys greedy joint greed else he layoff health how households household house hosehold horrible holder history hiking later hike higher high her help elsewhere youre eliminating el bill biggest biden biased biannually bf between better benefit begin before been becoming became be barely bank awhile away billing billings bills by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly automatically aunt at addition againlater again after afford adicional addtional addresses additional adding all added activities acct accounts account access absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost care cared caring deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting customers customer direction discontinue current drastically edge easily earlier each duplicate due drive ll drain disgusting down double dont done doesnt do divorce disgusts currently currency caused cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming creep continually credit covid courtesy country cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared living loyal location stepdad subscribers subscriber sub stupid stranger stopping stopped stop stealing success stay starting started start squeeze spouses spouse spending subscription summer span than these there their the thats that thanks thank terrible support temporary temporarily taste talk taking take system switching spend sorry thing secure services service series sense selection seen seems see second set scaling scales saving save same run rules rule servicio settled soon signaling son something someone so situation single since significant sign several sight shoves shouldn should short she share shady they things locations week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why vs wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will wait virtue think to try tried tracking town tooo too told today tired twice tipped times time tightening tight throughout through this trying two value upward vaccine ut using uses users used use us upping unable upcoming up until unnecessary unfortunately unfair understand under rotating rising risen non offered offer now notified nothing not nonsense nonesence no often nice next news newest new never needed my offset ok multiple or own overpriced over outside out our others original options once option opportunity opening opened ontario only oneday one must much right luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moving mom moved move more months monthly month monetary moment mistake means mind might merge memberships membership members member medical owner owning pagos rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly putting put rectifying reduce parent restart ridiculous
Topic 8 | Coherence=-234626.01 | Top words= it time and keep at prices you increasing for long the will is we no subscriber only like rates customer going feel alarming there loyalty as can my use just in price by moved months make last many that dont business are resubscribe well decisions doesnt making sense see guys when charge this increase addition being every opened opportunity subscription support duplicate mistake re been not adding won rising on second users justify your euro break stop repurposing cheaper options enough new take payment blindly twice later constant house flat its food itself focused jacking fix fixed issues job first financially financial forcing free forever forth fiance frequent issue from fuel future games garbage gas get getting finally few join girl learning entertainment layoff especially even laid everything expected expenses lack expensive extortion extra kids face fact fair kidding family fan far kept keeps keeping fault fee joint fees feet gf given give hosehold increased has have havent income having he improvements health help her high im higher ill hike if hikes idea husband hungry huge hiking history how holder households horrible household hardly increases increasses isn go goes isnt gone gonna good got gotten gouging grandkids great greed greedy hacked hard hackednot iny hacking intolerable had into interested half instead inflation hand increments happy entertaining youre end benefit biggest biden biased biannually bf between better benefits begin cell before becoming because became be barely bank back bill billing billings bills caring cared care card cant cannot cancelling canceling cancel bye but buggin budget broke boyfriend both bit awhile away automatically all againlater again after afford adicional addtional addresses additional added activities acct accounts account access acceptance absurd about agree allow aunt allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost caused change emails delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined changed death deal days day daughter date damn dad disgusts divorce do left email elsewhere else eliminating el edge easily earlier each due drive drastically drain down double done don cutting cut customers competitive company coming come combining combine college climbing climb city choose choice checking charging charges charged changing changes compared compromised currently connected current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider leave loyal legacy spending stay states starting started start squeeze spouses spouse spend retired span sorry soon son something someone some so stealing stepdad stopped stopping thank than terrible temporary temporarily taste talk taking system switching summer success subscriptions subscribers sub stupid stranger situation single since selection seems secure scaling scales saving save same run rules rule rotating risen rise ripped right ridiculous return seen series significant service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thanks thats their while whats what were went weeks week way waste was warrant wants wanted want waiting wait vs virtue where who vaccine why youll yet years yearly year yall ya wouldn would worth workable work wont without with willing wife value ut these tried town tooo too told today to tired tipped times tightening tight throughout through think things thing they tracking try using trying uses used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring resume less needed nonsense nonesence non nice next news newest never need restriction must multiple much moving move more monthly month nothing notified now of our others other original or option opening ontario oneday one once ok often offset offered offer off money monetary moment lost loose looking longer lol locations location ll living live little limiting limited limit life letting let lesser losing lower mom luck mind might merge memberships membership members member medical means me maybe may married market manservices makes made out outside over really reactivate rather rate raising raises raised raise quickly quality putting put pushed provider profits profit profiles problem reality reason president
Topic 9 | Coherence=-222123.77 | Top words= prices raising year greedy after additional profit starting profiles last is increase and charge just to stop for money raised anymore are fees new rules worth customer many not without because into success put differences any some your improvements or twice please ridiculous every months damn these also dont becoming users fuel games future forth free frequent from greed getting garbage great gonna gone good got going goes go given give gotten girl get gas gouging grandkids gf youre forever family fact face extra extortion expensive expenses expected everything even euro especially entertainment entertaining enough end fair fan forcing far food focused flat fixed fix first financially guys finally fiance few feet feel fee fault financial having hacked it keep justify joint join job jacking itself its issues hackednot issue isnt isn iny intolerable interested instead inflation keeping keeps kept kidding limited limit like life letting let lesser less legacy left leave learning layoff later laid lack kids increments increasses increasing hikes higher high her help health he email havent have has hardly hard happy hand half had hacking hike hiking increases history increased income in im ill if idea husband hungry huge how households household house hosehold horrible holder emails drain elsewhere benefits bill biggest biden biased biannually bf between better benefit billings being begin before been became be barely bank billing bills cared by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly back awhile away adding agree againlater again afford adicional addtional addresses addition added automatically activities acct accounts account access acceptance absurd about alarming all allow allowed aunt at as aren apps aparently anyways anticonsumer another annually an amounts amount amercian am already almost care caring else deal direction different didnt deteriorated delivering declined decisions death days discontinue day daughter date dad cutting cut customers currently disappointed disgusting caused drive eliminating el edge easily earlier each duplicate due drastically disgusts little down double done don doesnt do divorce current currency creep checking combining combine college climbing climb city choose choice cheaper credit charging charges charged changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limiting loyal live started stupid stranger stopping stopped stepdad stealing stay states start subscriber squeeze spouses spouse spending spend span sorry soon sub subscribers something temporarily the thats that thanks thank than terrible temporary taste subscription talk taking take system switching support summer subscriptions son someone living scaling series sense selection seen seems see secure second scales services saving save same run rule rotating rising risen service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled their there they way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while thing would youll you yet years yearly yall ya wouldn workable who work wont won with willing will wife why virtue value vaccine tipped tried tracking town tooo too told today tired times ut time tightening tight throughout through this think things try trying two unable using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped right nice of now notified nothing nonsense nonesence non no next offer news newest never needed need my must multiple off offered over opening out our others other original options option opportunity opened offset ontario only oneday one once on ok often much moving moved lost manservices making makes make made luck loyalty lower losing move loose looking longer long lol locations location ll market married may maybe more monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me outside overpriced return rates recently recent reason really reality reactivate re rather rate rectifying raises raise quickly quality putting pushed provider profits recession redo own residence retiring
Topic 10 | Coherence=-221048.53 | Top words= and be price money with is to can increases saving back more need problem deal continuous of ll when we just ill laid bit prices many break summer off taking got else dad better rotating climb these agree piracy broke something sharing subscriptions activities changing changes right soon health tired policy stopping outside coming fuel free vaccine drain given give gouging gas gotten garbage grandkids go good girl gonna greed get gone going getting goes gf great youre games expensive far fan family fair fact face extra extortion expenses fee expected everything every even euro especially entertainment entertaining fault feel future flat from frequent forth forever forcing for food focused fixed fees fix first financially financial finally fiance few feet greedy have guys issues justify joint join job jacking itself its it issue hacked isnt isn iny intolerable into interested instead inflation keep keeping keeps kept limit like life letting let lesser less legacy left leave learning layoff later last lack kids kidding increments increasses increasing hikes higher high her help he having havent end has hardly hard happy hand half had hacking hackednot hike hiking increased history increase income in improvements im if idea husband hungry huge how households household house hosehold horrible holder enough done emails before biased biannually bf between benefits benefit being begin been at becoming because became barely bank awhile away automatically biden biggest bill billing card cant cannot cancelling canceling cancel bye by but business buggin budget boyfriend both blindly bills billings aunt as email addition againlater again after afford adicional addtional addresses additional adding aren added acct accounts account access acceptance absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost care cared caring declined discontinue disappointed direction different differences didnt deteriorated delivering decisions caused death days day daughter date damn cutting cut disgusting disgusts divorce do elsewhere eliminating el edge easily earlier each duplicate due drive drastically down double dont limiting don doesnt customers customer currently compared come combining combine college climbing city choose choice checking cheaper charging charges charged charge changed change cell company competitive current compromised currency creep credit covid courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected limited loyal little start stopped stop stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry son someone stranger sub there temporarily the thats that thanks thank than terrible temporary taste subscriber talk take system switching support success subscription subscribers some so situation save selection seen seems see secure second scaling scales same single run rules rule rising risen rise ripped ridiculous sense series service services since significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio their they live way where whats what were went well weeks week waste who was warrant wants wanted want waiting wait vs while why thing wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will virtue value ut tipped try tried tracking town tooo too told today times using time tightening tight throughout through this think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under return retiring retired next notified nothing not nonsense nonesence non no nice news offer newest new never needed my must multiple much now offered resume opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moving moved move lost making makes make made luck loyalty your lower losing months loose looking longer long lol locations location living manservices market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe out over overpriced raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 11 | Coherence=-212286.87 | Top words= my to it pay have subscription not was is but that just bill do so compromised ill card without charged an told allowed bank automatically credit wanted option after because company charge hacked disgusting youre customers think fault today job notified before as someone keeps enough acct anyways power hacking constantly fair thanks gf getting live get gas garbage greed games future greedy guys fuel from girl limiting give grandkids given go limited little goes great going gone gonna good got gotten gouging frequent justify free expensive far fan family fact face extra extortion expenses feel expected everything every even euro especially entertainment fee ll forth fix forever forcing limit food focused flat fixed first fees financially financial finally fiance few living feet for happy hackednot increased interested instead inflation increments increasses increasing increases increase left income in improvements later layoff im learning last laid into intolerable keeping joint join jacking itself its kept issues issue isnt kidding isn kids iny lack leave if had letting her help health he having havent let life idea has like hardly hard keep hand half high higher lesser hike husband hungry huge how households household house legacy hosehold horrible holder history hiking hikes less entertaining double end benefits billing biggest biden biased biannually bf between better benefit emails being begin been becoming became be barely back billings bills bit blindly cared care cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both awhile away aunt alarming againlater again afford adicional addtional addresses additional addition adding added activities accounts account access acceptance absurd about agree all at allow aren are apps aparently anymore any anticonsumer another annually and amounts amount amercian am also already almost caring caused cell doesnt disgusts discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date divorce don dad done email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down locations dont damn cutting change competitive coming come combining combine college climbing climb city choose choice checking cheaper charging charges changing changes changed compared connected cut consider customer currently current currency creep covid courtesy country costs cost continuous continues continue continually continously constant consolidating location loyal lol long stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something stopping stranger stupid taking thats thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some situation single save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services the their there week where when whats what were went well weeks we who way waste warrant wants want waiting wait vs while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won with willing will virtue vaccine these times try tried tracking town tooo too tired tipped time twice tightening tight throughout through this things thing they trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under right ridiculous return non offered offer off of now nothing nonsense nonesence no often nice next news newest new never needed need offset ok multiple or overpriced over outside out our others other original options on opportunity opening opened ontario only oneday one once must much owner made may married market many manservices making makes make luck me loyalty your lower lost losing loose looking longer maybe means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member own owning retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits reside retired resume
Topic 12 | Coherence=-221436.75 | Top words= for to care the paying this again increase of customer garbage about other you customers start service even rate need just do things take your first before subscription will with us news away there passed moved disappointed horrible discontinue sub what weeks several stupid owner eliminating person bills share creep monthly should months currently mom worth wife expected goes go given everything give girl euro gf getting get expenses gas every fixed expensive gone gonna especially entertainment entertaining good got enough gotten end gouging emails email elsewhere going extortion extra games fix financially financial finally great fiance few flat focused feet fees feel fee fault food far forcing fan family forever forth free frequent fair from fuel fact face future grandkids has greed isnt join job jacking itself its it issues issue isn increasing is iny intolerable into interested instead inflation increments joint justify keep keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasses increases greedy hardly high her help health he having havent have hard increased happy hand half had hacking hackednot hacked guys higher hike hikes hiking income in improvements im ill if idea husband hungry huge how households household house hosehold holder history else youre el becoming bf between better benefits benefit being begin been because biased became be barely bank back awhile automatically aunt biannually biden edge budget canceling cancel can bye by but business buggin broke biggest break boyfriend both blindly bit billings billing bill at as aren addition agree againlater after afford adicional addtional addresses additional adding are added activities acct accounts account access acceptance absurd alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost cancelling cannot cant day didnt deteriorated delivering declined decisions death deal days daughter courtesy date damn dad cutting cut current currency credit differences different direction disgusting easily earlier each duplicate due drive drastically drain down double dont done don doesnt like divorce disgusts covid country card charged climb city choose choice checking cheaper charging charges charge costs changing changes changed change cell caused caring cared climbing college combine combining cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come life loyal limit spend stay states starting started squeeze spouses spouse spending span since sorry soon son something someone some so situation stealing stepdad stop stopped than terrible temporary temporarily taste talk taking system switching support summer success subscriptions subscribers subscriber stranger stopping single significant thanks rotating scaling scales saving save same run rules rule rising signaling risen rise ripped right ridiculous return retiring retired second secure see seems sign sight sick shoves shouldn short she sharing shady settled set servicio services series sense selection seen thank that resubscribe warrant were went well week we way waste was wants using wanted want waiting wait vs virtue value vaccine whats when where while youll yet years yearly year yall ya wouldn would workable work wont won without willing why who ut uses thats time town tooo too told today tired tipped times tightening users tight throughout through think thing they these their tracking tried try trying used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume restriction limited newest nothing not nonsense nonesence non no nice next new month never needed my must multiple much moving move notified now off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered more money our longer made luck loyalty lower lost losing loose looking long monetary lol locations location ll living live little limiting make makes making manservices moment mistake mind might merge memberships membership members member medical means me maybe may married market many others out restrict quickly reactivate re rather rates raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reality really reason recent
Topic 13 | Coherence=-225963.80 | Top words= and extra you for charge sharing family my pay youre greedy the disgusting its subscription taste are different subscriptions me but with have about will bill no more im greed new fee if won support loose longer an from parents bye many expensive recent talk day until limited waiting using opportunity she dad price finally gone got good expected gonna going expenses gouging extortion goes go given give gotten everything grandkids great gf every even euro especially entertainment entertaining enough guys hacked end emails girl gas getting get financial few financially first fix feet fixed hacking flat focused fees food feel fault forcing forever forth free far fan frequent fair fact fuel face future games garbage fiance hackednot health had keeps keep justify just joint join job jacking itself it issues issue isnt isn is iny intolerable into keeping kept half kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids interested instead inflation increments history hiking hikes hike higher high her help elsewhere he having havent has hardly hard happy hand holder horrible hosehold improvements increasses increasing increases increased increase income in ill house idea husband hungry huge how households household email double else before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically buggin cant cannot cancelling canceling cancel can by business budget billing broke break boyfriend both blindly bit bills billings away aunt eliminating addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all at another as aren apps aparently anyways anymore any anticonsumer annually allow amounts amount amercian am also already almost allowed card care cared days differences didnt deteriorated delivering declined decisions death deal daughter disappointed date damn cutting cut customers customer currently current direction discontinue caring drastically el edge easily earlier each duplicate due drive drain disgusts down little dont done don doesnt do divorce currency creep credit cheaper combine college climbing climb city choose choice checking charging covid charges charged changing changes changed change cell caused combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limiting loyal live spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping there taking thats that thanks thank than terrible temporary temporarily take stranger system switching summer success subscribers subscriber sub stupid some so situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series service since significant signaling sign sight sick shoves shouldn should short share shady several settled set servicio services their these ridiculous waste what were went well weeks week we way was when warrant wants wanted want wait vs virtue value whats where they would youll yet years yearly year yall ya wouldn worth while workable work wont without willing wife why who vaccine ut uses times town tooo too told today to tired tipped time users tightening tight throughout through this think things thing tracking tried try trying used use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right return living nonesence offer off of now notified nothing not nonsense non offset nice next news newest never needed need must offered often own options over outside out our others other original or option ok opening opened ontario only oneday one once on multiple much moving your market manservices making makes make made luck loyalty lower moved lost losing looking long lol locations location ll married may maybe means move months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical overpriced owner retiring raising reason really reality reactivate re rather rates rate raises recession raised raise quickly quality putting put pushed provider recently rectifying owning reside retired
Topic 14 | Coherence=-220942.90 | Top words= too for is it expensive now me much prices going keep worth service increase unfortunately upward benefits nonsense you was keeps changing long not been what be many should offered half this charged never maybe vs right later itself fair have its different isnt longer whats overpriced quality isn hacked with charge options make customers amounts we free fuel forth frequent from forever girl future give got good gonna gone goes go gouging gotten great grandkids gf getting get gas garbage games given youre forcing even face extra extortion expenses expected everything every euro family especially entertainment entertaining enough end emails email fact fan food greedy focused flat fixed fix first financially financial finally far fiance few feet fees feel fee fault greed her guys iny just joint join job jacking issues issue intolerable hackednot into interested instead inflation increments increasses increasing justify keeping kept kidding like life letting let lesser less legacy left leave learning layoff last laid lack kids increases increased income hikes higher high else help health he having havent has hardly hard happy hand had hacking hike hiking in history improvements im ill if idea husband hungry huge how households household house hosehold horrible holder elsewhere double eliminating el biased biannually bf between better benefit being begin before becoming because became barely bank back awhile away automatically aunt biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings at as aren adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amount amercian am also already almost allowed allow cannot cant card days differences didnt deteriorated delivering declined decisions death deal day disappointed daughter date damn dad cutting cut customer currently direction discontinue currency drain edge easily earlier each duplicate due drive drastically down disgusting limited dont done don doesnt do divorce disgusts current creep care cheaper combine college climbing climb city choose choice checking charging come charges changes changed change cell caused caring cared combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared limit loyal limiting squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger thanks system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub someone some so saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series services servicio single since significant signaling sign sight sick shoves shouldn short she sharing share shady several settled set thank that little wants were went well weeks week way waste warrant wanted where want waiting wait virtue value vaccine ut using when while thats would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why uses users used throughout today to tired tipped times time tightening tight through use think things thing they these there their the told tooo town tracking us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try tried ripped ridiculous return no offset offer off of notified nothing nonesence non nice ok next news newest new needed need my must often on retiring original owner own over outside out our others other or once option opportunity opening opened ontario only oneday one multiple moving moved lost manservices making makes made luck loyalty your lower losing move loose looking lol locations location ll living live market married may means more months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical owning pagos parent rates recently recent reason really reality reactivate re rather rate profits raising raises raised raise quickly putting put pushed recession rectifying redo reduce
Topic 15 | Coherence=-226391.45 | Top words= the extra you out are of raising keep so to dont services price for prices do why hand im not cheaper forth put needed hikes want getting guys lack far good other need selection better gonna like if reason kept got it people up just signaling political virtue account holder death is was country taste learning that because sense hacked service else future every expensive free gone frequent going from fuel goes games given garbage gas everything get expenses gf expected go forever girl give fan emails elsewhere fact fault family fair entertaining fee enough feel fees feet few fiance finally end entertainment forcing face financial even financially first fix especially fixed flat focused extortion food email euro happy gotten increased job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing join joint justify left limit life letting let lesser less legacy leave keeping layoff later last laid kids kidding keeps increases increase gouging income health he having havent have has hardly hard el half had hacking hackednot greedy greed great grandkids help her high how in improvements ill idea husband hungry huge households higher household house hosehold horrible history hiking hike eliminating youre edge been biannually bf between benefits benefit being begin before becoming biden became be barely bank back awhile away automatically biased biggest at budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt as cannot addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts access acceptance absurd about agree all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cancelling cant easily date deteriorated delivering declined decisions deal days day daughter damn differences dad cutting cut customers customer currently current currency didnt different credit double earlier each duplicate due drive drastically drain down limiting direction done don doesnt divorce disgusts disgusting discontinue disappointed creep covid card charge climb city choose choice checking charging charges charged changing college changes changed change cell caused caring cared care climbing combine courtesy constant costs cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come limited loyal little started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub there taking thats thanks thank than terrible temporary temporarily talk take subscriber system switching support summer success subscriptions subscription subscribers son something someone same seems see secure second scaling scales saving save run some rules rule rotating rising risen rise ripped right seen series servicio set situation single since significant sign sight sick shoves shouldn should short she sharing share shady several settled their these return we when whats what were went well weeks week way while waste warrant wants wanted waiting wait vs value where who they would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vaccine ut using times tracking town tooo too told today tired tipped time uses tightening tight throughout through this think things thing tried try trying twice users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring live new nonsense nonesence non no nice next news newest never notified my must multiple much moving moved move more nothing now our only original or options option opportunity opening opened ontario oneday off one once on ok often offset offered offer months monthly month losing makes make made luck loyalty your lower lost loose money looking longer long lol locations location ll living making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married others outside retired raised really reality reactivate re rather rates rate raises raise recently quickly quality putting pushed provider profits profit profiles recent recession over repurposing resume
Topic 16 | Coherence=-230249.20 | Top words= to need dont other money and the in one save as much price subscriptions services trying have it only use time cancel continues raising two possible some more waste house with finally pay tipped scales direction goes selection continually of now cut significant subscription that months households moved fees down once rather spend would reduce learning raised bills financially shady spending hard am aparently right prefer combine sight than barely our drain multiple monthly constantly cost temporarily yearly scaling almost merge remarried platforms greedy idea currency never wife sharing gas free games get from future garbage frequent fuel youre forth everything fact face extra extortion expensive expenses expected every family even euro especially entertainment entertaining enough end fair fan forever gf forcing for food focused flat fixed fix first far financial fiance few feet feel fee fault getting hackednot girl isn iny intolerable into interested instead inflation increments increasses increasing increases increased increase income improvements im ill if is isnt give issue laid lack kids kidding kept keeps keeping keep justify just joint join job jacking itself its issues husband hungry huge how half had hacking hacked guys greed great grandkids gouging gotten got good gonna gone going go given hand happy hardly hike household hosehold horrible holder history hiking hikes higher has high her help health he having havent emails disgusting email before biannually bf between better benefits benefit being begin been cant becoming because became be bank back awhile away biased biden biggest bill cancelling canceling can bye by but business buggin budget broke break boyfriend both blindly bit billings billing automatically aunt at againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree aren alarming are apps anyways anymore any anticonsumer another annually an amounts amount amercian also already allowed allow all cannot card elsewhere deal different differences didnt deteriorated delivering declined decisions death days care day daughter date damn dad cutting customers customer disappointed discontinue later disgusts else eliminating el edge easily earlier each duplicate due drive drastically double done don doesnt do divorce currently current creep climbing city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused caring cared climb college credit combining covid courtesy country costs continuous continue continously constant consolidating consider connected compromised competitive compared company coming come last loyal layoff stopping stop stepdad stealing stay states starting started start squeeze spouses spouse span sorry soon son something someone stopped stranger situation stupid thats thanks thank terrible temporary taste talk taking take system switching support summer success subscribers subscriber sub so single leave secure saving same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume resubscribe restriction second see since seems signaling sign sick shoves shouldn should short she share several settled set servicio service series sense seen their there these where whats what were went well weeks week we way was warrant wants wanted want waiting wait vs when while they who youll you yet years year yall ya wouldn worth workable work wont won without willing will why virtue value vaccine ut tried tracking town tooo too told today tired times tightening tight throughout through this think things thing try twice unable upcoming using uses users used us upward upping up under until unneeded unnecessary unfortunately unfair unemployed understand restrict restart respect news new needed my must moving move month monetary moment mom mistake mind might memberships membership members member newest next opportunity nice opened ontario oneday on ok often offset offered offer off notified nothing not nonsense nonesence non no medical means me maybe locations location ll living live little limiting limited limit like life letting let lesser less legacy left lol long longer make may married market many manservices making makes made looking luck loyalty your lower lost losing loose opening option residence rate raise quickly quality putting put pushed provider profits profit profiles problem pricing prices president prescription preemptively power raises rates
Topic 17 | Coherence=-227488.95 | Top words= you my and extra subscription of with share using increase about family when that outside bill states like limit idea paying want news power the out charging because cant this grandkids stay was being used it months budget hosehold spending town only happy stranger by unable not expenses cutting unnecessary moving adding in more on expensive everything good gonna gone expected flat even extortion going goes go face given give every euro got fact gotten gouging especially great greed greedy entertainment entertaining enough end emails email elsewhere girl gf fair hacked forth few fiance finally financial financially forever fixed forcing first for food focused fix free feet frequent from fees feel fee fuel future games garbage gas fault get far getting fan guys help hackednot hacking justify just joint join job jacking itself its issues issue isnt isn is iny intolerable into interested keep keeping keeps leave life letting let lesser less legacy left learning kept layoff later last laid lack kids kidding instead inflation increments having hike higher high her eliminating health he havent hiking have has hardly hard hand half had hikes history increasses if increasing increases increased income improvements im ill husband holder hungry huge how households household house horrible else youre el been biannually bf between better benefits benefit begin before becoming biden became be barely bank back awhile away automatically biased biggest cared business card cannot cancelling canceling cancel can bye but buggin billing broke break boyfriend both blindly bit bills billings aunt at as additional agree againlater again after afford adicional addtional addresses addition aren added activities acct accounts account access acceptance absurd alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost care caring edge days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cut customers customer currently different disappointed caused down easily earlier each duplicate due drive drastically drain double discontinue dont done limited doesnt do divorce disgusts disgusting current currency creep checking combining combine college climbing climb city choose choice cheaper credit charges charged charge changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive don loyal limiting span stealing starting started start squeeze spouses spouse spend sorry stop soon son something someone some so situation single stepdad stopped retired system than terrible temporary temporarily taste talk taking take switching stopping support summer success subscriptions subscribers subscriber sub stupid since significant signaling rules secure second scaling scales saving save same run rule sign rotating rising risen rise ripped right ridiculous return see seems seen selection sight sick shoves shouldn should short she sharing shady several settled set servicio services service series sense thank thanks thats we where whats what were went well weeks week way vaccine waste warrant wants wanted waiting wait vs virtue while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value ut their tightening too told today to tired tipped times time tight uses throughout through think things thing they these there tooo tracking tried try users use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under two twice trying retiring resume little newest notified nothing nonsense nonesence non no nice next new off never needed need must multiple much moved move now offer resubscribe opportunity over our others other original or options option opening offered opened ontario oneday one once ok often offset monthly month money loose make made luck loyalty your lower lost losing looking monetary longer long lol locations location ll living live makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market overpriced own owner raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
Topic 18 | Coherence=-227384.60 | Top words= it not too the price new good with expensive added year but when charges every really many me seems is nothing using increase no ok your increases of rise going month rule daughter stupid pay continues cancel let already in end first people didnt uses sight currently thank raise college more what policies ut pleased like family living sign easily reside she secure tired hackednot seen wants worth other keep extortion use financially fault emails everything from fuel future games garbage gas get fan getting expected gf girl expenses fair give given fact email go goes face extra far frequent financial fee fix fixed flat entertainment finally especially fiance gone focused food few entertaining for feet forcing euro enough forever forth fees feel even free youre hardly gonna itself issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increased income improvements im its jacking if job left leave learning layoff later last laid lack kids kidding kept keeps keeping justify just joint join ill idea got having have has else hard happy hand half had hacking hacked guys greedy greed great grandkids gouging gotten havent he husband health hungry huge how households household house hosehold horrible holder history hiking hikes hike higher high her help elsewhere doesnt eliminating becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased at break canceling can bye by business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest aunt as el addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow an amounts amount amercian am also almost allowed cancelling cannot cant day differences deteriorated delivering declined decisions death deal days date direction damn dad cutting cut customers customer current currency different disappointed card down edge earlier each duplicate due drive drastically drain double discontinue dont done don less do divorce disgusts disgusting creep credit covid charge climb city choose choice checking cheaper charging charged changing courtesy changes changed change cell caused caring cared care climbing combine combining come country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming legacy loyal lesser squeeze stop stepdad stealing stay states starting started start spouses that spouse spending spend span sorry soon son something stopped stopping stranger sub than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber someone some so sense see second scaling scales saving save same run rules rotating rising risen ripped right ridiculous return retiring selection series situation service single since significant signaling sick shoves shouldn should short sharing share shady several settled set servicio services thanks thats letting waste whats were went well weeks week we way was their warrant wanted want waiting wait vs virtue value where while who why youll you yet years yearly yall ya wouldn would workable work wont won without willing will wife vaccine users used town told today to tipped times time tightening tight throughout through this think things thing they these there tooo tracking us tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try retired resume resubscribe need nonesence non nice next news newest never needed my restriction must multiple much moving moved move months monthly nonsense notified now off original or options option opportunity opening opened ontario only oneday one once on often offset offered offer money monetary moment luck lower lost losing loose looking longer long lol locations location ll live little limiting limited limit life loyalty made mom make mistake mind might merge memberships membership members member medical means maybe may married market manservices making makes others our out reality re rather rates rate raising raises raised quickly quality putting put pushed provider profits profit profiles problem reactivate reason prices
Topic 19 | Coherence=-225511.32 | Top words= the and price anymore not it your raising keep share do to are cant rates afford don same who than others higher thing us letting customers now inflation thanks up using caused biden president enough by use want me much fault system kidding policy increased workable changes just costs go profits rising so focused on due recession raised job aren agree upping make re has every everything twice no goes given frequent give got from fuel good get girl future gonna gas gone going getting games garbage gf feet free forth fan family fair fact face extra extortion expensive expenses expected even euro especially entertainment entertaining far fee feel fix forever forcing for food flat fixed first fees financially financial finally fiance few gouging gotten having grandkids in itself its issues issue isnt isn is iny intolerable into interested instead increments increasses increasing increases increase jacking join joint layoff let lesser less legacy left leave learning later justify last laid lack kids kept keeps keeping income improvements great im health he emails havent have hardly hard happy hand half had hacking hackednot hacked guys greedy greed help her high households ill if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes end youre email begin biased biannually bf between better benefits benefit being before bill been becoming because became be barely bank back biggest billing elsewhere business card cannot cancelling canceling cancel can bye but buggin billings budget broke break boyfriend both blindly bit bills awhile away automatically adding againlater again after adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about alarming all allow allowed at as apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already almost care cared caring death direction different differences didnt deteriorated delivering declined decisions deal currently days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts else eliminating el edge easily earlier each duplicate drive drastically drain down double dont life doesnt divorce customer current cell choice come combining combine college climbing climb city choose checking currency cheaper charging charges charged charge changing changed change coming company compared competitive creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised done loyal like spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son something someone stop stopped stopping stranger terrible temporary temporarily taste talk taking take switching support summer success subscriptions subscription subscribers subscriber sub stupid some single that save seen seems see secure second scaling scales saving run since rules rule rotating risen rise ripped right ridiculous selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services thank thats retiring week where when whats what were went well weeks we virtue way waste was warrant wants wanted waiting wait while why wife will youll you yet years yearly year yall ya wouldn would worth work wont won without with willing vs value their tightening tooo too told today tired tipped times time tight vaccine throughout through this think things they these there town tracking tried try ut uses users used upward upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying return retired limit needed nonesence non nice next news newest new never need month my must multiple moving moved move more months nonsense nothing notified of or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off monthly money other long luck loyalty lower lost losing loose looking longer lol monetary locations location ll living live little limiting limited made makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many original our resume quality really reality reactivate rather rate raises raise quickly putting prefer put pushed provider profit profiles problem pricing prices reason recent recently rectifying
Topic 20 | Coherence=-218501.75 | Top words= and subscriptions married my don got subscription need we is husband two in have are consolidating memberships moving getting fiance after her using own wife needed recently has up household set now new no only spouses had share fair country sharing combining care accounts right enough financially even gone going goes go given every euro everything give girl expected gf expenses gonna good first especially entertainment entertaining gotten gouging end emails grandkids great greed greedy guys email elsewhere get gas expensive for financial finally few feet fix fixed fees flat focused hacked feel fee fault far fan garbage forcing forever forth free family fact frequent from face fuel extra future extortion games food he hackednot kids kept keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn kidding lack intolerable laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last iny into hacking hosehold holder history hiking hikes hike higher high help health eliminating having havent hardly hard happy hand half horrible house interested households instead inflation increments increasses increasing increases increased increase income improvements im ill if idea hungry huge how else youre el edge biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt addition agree againlater again afford adicional addtional addresses additional adding all added activities acct account access acceptance absurd about alarming allow at another as aren apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost cannot cant card days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current drain easily earlier each duplicate due drive drastically living down discontinue double dont done doesnt do divorce disgusts disgusting currently currency cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college come creep continually credit covid courtesy costs cost continuous continues continue continously coming constantly constant consider connected compromised competitive compared company live loyal ll stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting started start squeeze spouse spending spend span subscriber success soon terrible there their the thats that thanks thank than temporary summer temporarily taste talk taking take system switching support sorry son rise scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio something sign someone some so situation single since significant signaling sight settled sick shoves shouldn should short she shady several these they thing week where when whats what were went well weeks way who waste was warrant wants wanted want waiting wait while why things wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs virtue value tired tried tracking town tooo too told today to tipped vaccine times time tightening tight throughout through this think try trying twice unable ut uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under risen ripped location nothing ok often offset offered offer off of notified not once nonsense nonesence non nice next news newest never on one multiple others pagos owning owner overpriced over outside out our other oneday original or options option opportunity opening opened ontario must much ridiculous your many manservices making makes make made luck loyalty lower may lost losing loose looking longer long lol locations market maybe moved mom move more months monthly month money monetary moment mistake me mind might merge membership members member medical means parent parents passed rates recession recent reason really reality reactivate re rather rate redo raising raises raised raise quickly quality putting put rectifying reduce past respect return
Topic 21 | Coherence=-222863.95 | Top words= will to this months the not come it you back are fact good only that if email bye once for consider in money makes forever reactivate budget give rectifying again few issue want never me and ill have is try tight so expensive return time but switching rejoin others compared get later new againlater tightening raised moving price settled wait play coming outside may cancelling under rising temporarily restart re join summer at future activities free often enough given girl go getting gas going gone gonna end garbage gf entertaining emails games goes food fuel entertainment fee especially fault far fan family fair euro even face extra extortion expenses expected every feel fees feet flat from frequent forth forcing everything focused fixed fiance fix gotten first financially financial finally got youre gouging into itself its issues isnt isn iny intolerable interested job instead inflation increments increasses increasing increases increased jacking joint income laid less legacy left leave learning layoff last lack just kids kidding kept keeps keeping keep justify increase improvements grandkids half he havent has hardly hard happy hand had help hacking hackednot hacked guys greedy greed great health her im house idea husband hungry huge how households household hosehold high horrible holder history hiking hikes hike higher having done elsewhere being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing else by cared care card cant cannot canceling cancel can business billings buggin broke break boyfriend both blindly bit bills awhile away automatically addition alarming agree after afford adicional addtional addresses additional adding aunt added acct accounts account access acceptance absurd about all allow allowed almost as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already caring caused cell declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont let don doesnt cutting customers change choice company combining combine college climbing climb city choose checking customer cheaper charging charges charged charge changing changes changed competitive compromised connected consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant lesser loyal letting spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son something someone stop stopped stopping stranger thank than terrible temporary taste talk taking take system support success subscriptions subscription subscribers subscriber sub stupid some single life save seen seems see secure second scaling scales saving same since run rules rule rotating risen rise ripped right selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing share shady several set servicio services thanks thats their week where when whats what were went well weeks we there way waste was warrant wants wanted waiting vs while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue value vaccine twice tried tracking town tooo too told today tired tipped times throughout through think things thing they these trying two ut unable using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ridiculous retiring retired need nonesence non no nice next news newest needed my our must multiple much moved move more monthly month nonsense nothing notified now original or options option opportunity opening opened ontario oneday one on ok offset offered offer off of monetary moment mom your lost losing loose looking longer long lol locations location ll living live little limiting limited limit like lower loyalty mistake luck mind might merge memberships membership members member medical means maybe married market many manservices making make made other out resume putting rather rates rate raising raises raise quickly quality put over pushed provider profits profit profiles problem pricing prices reality really reason
Topic 22 | Coherence=-222568.10 | Top words= for you charge to my re me and going your worth extra she sign anyways in ut thank college uses daughter bye not when is no good that kids more passed away charging another city intolerable unfair subscription sharing cant live account subscriptions without what got mom grandkids had owner profits kidding allow has putting owning how parent possible aunt declined family moving date town activities too checking resume cut waste financial amounts reduce garbage games future gouging gas get go gotten getting gf girl give gonna given gone goes youre fuel expenses far fan fair fact face extortion expensive expected from everything every even euro especially entertainment entertaining fault fee feel fees frequent free forth forever forcing food focused flat fixed first financially finally fiance few feet fix he great increased job jacking itself its it issues issue isnt isn iny into interested instead inflation increments increasses increasing join joint just layoff let lesser less legacy left leave learning later justify last laid lack kept keeps keeping keep increases increase greed income her help health end having havent have hardly hard happy hand half hacking hackednot hacked guys greedy high higher hike huge improvements im ill if idea husband hungry households hikes household house hosehold horrible holder history hiking enough done emails benefit biggest biden biased biannually bf between better benefits being cared begin before been becoming because became be barely bill billing billings bills card cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend both blindly bit bank back awhile alarming againlater again after afford adicional addtional addresses additional addition adding added acct accounts access acceptance absurd about agree all automatically allowed at as aren are apps aparently anymore any anticonsumer annually an amount amercian am also already almost care caring email deteriorated disgusts disgusting discontinue disappointed direction different differences didnt delivering caused decisions death deal days day damn dad cutting divorce do doesnt don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont life customers customer currently competitive company coming come combining combine climbing climb choose choice cheaper charges charged changing changes changed change cell compared compromised current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider letting loyal like spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stop stopped stopping terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber sub stupid stranger so single thanks run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped right ridiculous seems seen selection sense significant signaling sight sick shoves shouldn should short share shady several settled set servicio services service series than thats limit was whats were went well weeks week we way warrant using wants wanted want waiting wait vs virtue value where while who why youll yet years yearly year yall ya wouldn would workable work wont won with willing will wife vaccine users the throughout told today tired tipped times time tightening tight through used this think things thing they these there their tooo tracking tried try use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying return retiring retired newest notified nothing nonsense nonesence non nice next news new monthly never needed need must multiple much moved move now of off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered months month resubscribe longer made luck loyalty lower lost losing loose looking long money lol locations location ll living little limiting limited make makes making manservices monetary moment mistake mind might merge memberships membership members member medical means maybe may married market many other others our raise reality reactivate rather rates rate raising raises raised quickly out quality put pushed provider profit profiles problem pricing really reason recent
Topic 23 | Coherence=-222472.83 | Top words= not your price of keep for the you addition sharing prices charges pricing no terrible way too greedy money because subscriptions raising worth out paying expensive anymore getting been its good at members run made respect work legacy face amount damn especially nice years given budget iny thanks forcing keeping more moment now girl fault choice lost shoves life ya ll pop lower pls nonesence wont higher temporary support increases happy entertainment isn short also garbage give gotten go frequent got from games get gonna gas goes fuel gf going future gone finally free expected family fair fact extra extortion expenses everything far every even euro entertaining enough end fan fee forth first forever food focused flat fixed fix financially feel financial grandkids fiance few feet fees gouging youre great interested it issues issue isnt is intolerable into instead improvements inflation increments increasses increasing increased increase income itself jacking job join left leave learning layoff later last laid lack kids kidding kept keeps justify just joint in im greed hardly email health he having havent have has hard ill hand half had hacking hackednot hacked guys help her high hike if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes emails double elsewhere else bill biggest biden biased biannually bf between better benefits benefit being begin before becoming became be barely bank back billing billings bills bye care card cant cannot cancelling canceling cancel can by bit but business buggin broke break boyfriend both blindly awhile away automatically adding againlater again after afford adicional addtional addresses additional added alarming activities acct accounts account access acceptance absurd about agree all aunt another as aren are apps aparently anyways any anticonsumer annually allow and an amounts amercian am already almost allowed cared caring caused decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date dad cutting cut discontinue disgusts customer drive eliminating el edge easily earlier each duplicate due drastically divorce drain down lesser dont done don doesnt do customers currently cell choose coming come combining combine college climbing climb city checking compared cheaper charging charged charge changing changes changed change company competitive current continuous currency creep credit covid courtesy country costs cost continues compromised continue continually continously constantly constant consolidating consider connected less loyal let start stopped stop stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stopping stranger stupid sub their thats that thank than temporarily taste talk taking take system switching summer success subscription subscribers subscriber something some letting saving selection seen seems see secure second scaling scales save so same rules rule rotating rising risen rise ripped sense series service services situation single since significant signaling sign sight sick shouldn should she share shady several settled set servicio there these they warrant were went well weeks week we waste was wants thing wanted want waiting wait vs virtue value vaccine what whats when where youll yet yearly year yall wouldn would workable won without with willing will wife why who while ut using uses try tracking town tooo told today to tired tipped times time tightening tight throughout through this think things tried trying users twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right ridiculous return new off notified nothing nonsense non next news newest never over needed need my must multiple much moving moved offer offered offset often our others other original or options option opportunity opening opened ontario only oneday one once on ok move months monthly makes luck loyalty losing loose looking longer long lol locations location living live little limiting limited limit like make making month manservices monetary mom mistake mind might merge memberships membership member medical means me maybe may married market many outside overpriced retiring rate recent reason really reality reactivate re rather rates raises own raised raise quickly quality putting put pushed provider recently recession rectifying
Topic 24 | Coherence=-229508.54 | Top words= price and is where the your subscription we many will too access why increases you now luck increments am checking canceling greed good be have ridiculous my change upcoming different locations anticonsumer pay fee to use in are constant people tracking their greedy increase how they paying keep more less done garbage creep quality blindly cannot multiple should get users stopped lol billings gas inflation face what before buggin benefit reflect getting food sick married continue than gouging entertainment gotten gonna got gf enough entertaining gone girl going give given games goes go extortion focused future fiance feet fees feel fault far even fan family every everything fair expected fact expenses expensive few finally fuel financial from frequent free forth forever forcing for extra flat fixed grandkids especially first financially euro fix youre great isnt job jacking itself its it issues issue isn joint iny intolerable into interested instead increasses increasing join just guys later let lesser legacy left leave learning layoff last justify laid lack kids kidding kept keeps keeping increased income improvements hardly her help health he having havent has hard im happy hand half had hacking hackednot hacked high emails higher hike ill if idea husband hungry huge households household house hosehold horrible holder history hiking hikes end doesnt email begin biden biased biannually bf between better benefits being been elsewhere becoming because became barely bank back awhile away biggest bill billing bills cared care card cant cancelling cancel can bye by but business budget broke break boyfriend both bit automatically aunt at agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about againlater alarming as all aren apps aparently anyways anymore any another annually an amounts amount amercian also already almost allowed allow caring caused cell disgusts discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad disgusting divorce cut do else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont don life cutting customers changed compared coming come combining combine college climbing climb city choose choice cheaper charging charges charged charge changing changes company competitive customer compromised currently current currency credit covid courtesy country costs cost continuous continues continually continously constantly consolidating consider connected letting loyal like spend states starting started start squeeze spouses spouse spending span since sorry soon son something someone some so situation stay stealing stepdad stop temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping single significant terrible rules secure second scaling scales saving save same run rule signaling rotating rising risen rise ripped right return retiring see seems seen selection sign sight shoves shouldn short she sharing share shady several settled set servicio services service series sense temporary thank resume was whats were went well weeks week way waste warrant ut wants wanted want waiting wait vs virtue value when while who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vaccine using thanks throughout told today tired tipped times time tightening tight through uses this think things thing these there thats that tooo town tried try used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retired resubscribe limit next notified nothing not nonsense nonesence non no nice news move newest new never needed need must much moving of off offer offered other original or options option opportunity opening opened ontario only oneday one once on ok often offset moved months our looking makes make made loyalty lower lost losing loose longer monthly long location ll living live little limiting limited making manservices market may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe others out restriction raise reactivate re rather rates rate raising raises raised quickly prices putting put pushed provider profits profit profiles problem reality really reason recent
Topic 25 | Coherence=-224434.86 | Top words= with subscription my has in so an already lost anymore life one shoves pop choice iny keeping forcing subscriber make nice especially up currently have face me moving moved more the just you bf he expensive someone worth it dont to subscriptions we is same husband need only between price boyfriend daughter stepdad users at wife damn who different prices residence yall mind double these payment emails phone personal offered issues agree adicional pagos por el family joint spouse servicio hacking increased wants ontario location allow changed own memberships if that situation stop jacking flat first fix gas garbage fixed itself food focused from for join job forever games forth future fuel frequent free finally financially expected fact laid extra extortion last expenses everything kids every even euro later entertainment entertaining lack kidding financial fees get justify fiance few feet keep feel fair fee fault keeps kept far fan its hungry getting hikes instead inflation havent having increments health help her increasses high increasing increases higher hike hiking gf history holder increase income horrible hosehold house improvements im household ill idea households how hardly hard enough happy girl give given huge go goes going gone gonna good got gotten gouging grandkids great issue greed greedy guys isnt hacked isn hackednot intolerable into interested had half hand youre do end being bill biggest biden biased biannually better benefits benefit begin awhile before been becoming because became be barely bank billing billings bills bit card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break both blindly back away email adding againlater again after afford addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about alarming all allowed almost aunt as aren are apps aparently anyways any anticonsumer another annually and amounts amount amercian am also care cared caring death disappointed direction differences didnt deteriorated delivering declined decisions deal caused days day date dad cutting cut customers customer discontinue disgusting disgusts divorce elsewhere else eliminating edge easily earlier each duplicate due drive drastically drain down done don doesnt learning current currency creep coming combining combine college climbing climb city choose checking cheaper charging charges charged charge changing changes change cell come company credit compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive layoff loyal leave stopped stay states starting started start squeeze spouses spending spend span sorry soon son something some single since stealing stopping signaling stranger thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers sub stupid significant sign thats secure scaling scales saving save run rules rule rotating rising risen rise ripped right ridiculous return retiring retired second see sight seems sick shouldn should short she sharing share shady several settled set services service series sense selection seen thanks their resubscribe whats were went well weeks week way waste was warrant wanted want waiting wait vs virtue value vaccine what when using where youll yet years yearly year ya wouldn would workable work wont won without willing will why while ut uses there tracking tooo too told today tired tipped times time tightening tight throughout through this think things thing they town tried used try use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resume restriction left nonesence no next news newest new never needed must multiple much move months monthly month money monetary moment non nonsense mistake not options option opportunity opening opened oneday once on ok often offset offer off of now notified nothing mom might original loose longer long lol locations ll living live little limiting limited limit like letting let lesser less legacy looking losing merge lower membership members member medical means maybe may married market many manservices making makes made luck loyalty your or other restrict reality re rather rates rate raising raises raised raise quickly quality putting put pushed provider profits profit profiles reactivate really pricing
Topic 26 | Coherence=-218001.59 | Top words= to be back will need cut month break have high just due of taking end payment expenses move not for my prices raised losing long renewing has way platform almost while increased rent per getting money come another awhile gas costs using date time trying combining rise monetary looking bills might accounts instead must laid repurposing week medical switching retiring layoff change started restart don expensive temporarily feet monthly months save married financial fee far fault girl especially gf euro feel fees get fan given give go entertainment goes entertaining going gone gonna good got gotten family even games garbage expected extra face extortion financially first fix fixed flat focused food fiance fact finally forcing forever few everything forth free every frequent from fuel future fair youre gouging in its it issues issue isnt isn is iny intolerable into interested inflation increments increasses increasing increases increase itself jacking job lack less legacy left leave learning later last kids join kidding kept keeps keeping keep justify joint income improvements grandkids im health he having havent hardly hard happy hand half had hacking hackednot hacked guys greedy greed great help her higher households ill if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes enough drastically emails begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank away automatically biden bill care but cant cannot cancelling canceling cancel can bye by business billing buggin budget broke boyfriend both blindly bit billings aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer annually and an amounts amount amercian am also already allowed card cared email decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter damn dad cutting customers discontinue disgusts caring duplicate elsewhere else eliminating el edge easily earlier each drive divorce let drain down double dont done doesnt do customer currently current cheaper combine college climbing climb city choose choice checking charging currency charges charged charge changing changes changed cell caused coming company compared competitive creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised lesser loyal letting states stupid stranger stopping stopped stop stepdad stealing stay starting son start squeeze spouses spouse spending spend span sorry sub subscriber subscribers subscription their the thats that thanks thank than terrible temporary taste talk take system support summer success subscriptions soon something rising see servicio services service series sense selection seen seems secure someone second scaling scales saving same run rules rule set settled several shady some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share there these they we where when whats what were went well weeks waste thing was warrant wants wanted want waiting wait vs who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue value vaccine twice tried tracking town tooo too told today tired tipped times tightening tight throughout through this think things try two ut unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rotating risen life nonesence offset offered offer off now notified nothing nonsense non much no nice next news newest new never needed often ok on once over outside out our others other original or options option opportunity opening opened ontario only oneday one multiple moving ripped locations luck loyalty your lower lost loose longer lol location moved ll living live little limiting limited limit like made make makes making more moment mom mistake mind merge memberships membership members member means me maybe may market many manservices overpriced own owner rate recent reason really reality reactivate re rather rates raising owning raises raise quickly quality putting put pushed provider recently recession rectifying
Topic 27 | Coherence=-226782.92 | Top words= price not the increase for to is because charging hikes sharing worth many willing way used pay that increasing are also raised few your once subscription past acceptance reality lack offer fan enough am like currently new extra options support change while just over greedy great something tried newest continually delivering little point value almost absurd caring share spending workable last long system happy think from stopping can subscriptions an original renewing climbing interested being anymore fuel goes itself was why gouging get go getting gf girl give given going gone gonna good got gotten gas youre garbage expenses far family fair fact face extortion expensive expected fee everything every even euro especially entertainment entertaining fault feel games focused future frequent free forth forever forcing food flat fees fixed first financially financial finally fiance feet fix have grandkids jacking it issues issue isnt isn iny intolerable into instead inflation increments increasses increases increased income its job improvements join legacy left leave learning layoff later laid kids kidding kept keeps keeping keep justify joint in im greed her health he having havent emails has hardly hard hand half had hacking hackednot hacked guys help high ill higher if idea husband hungry huge how households household house hosehold horrible holder history hiking hike end do email better billing bill biggest biden biased biannually bf between benefits back benefit begin before been becoming became be barely billings bills bit blindly care card cant cannot cancelling canceling cancel bye by but business buggin budget broke break boyfriend both bank awhile elsewhere additional agree againlater again after afford adicional addtional addresses addition away adding added activities acct accounts account access about alarming all allow allowed automatically aunt at as aren apps aparently anyways any anticonsumer another annually and amounts amount amercian already cared caused cell declined disgusting discontinue disappointed direction different differences didnt deteriorated decisions changed death deal days day daughter date damn dad disgusts divorce lesser doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don cutting cut customers competitive company coming come combining combine college climb city choose choice checking cheaper charges charged charge changing changes compared compromised customer connected current currency creep credit covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider less loyal let span states starting started start squeeze spouses spouse spend sorry signaling soon son someone some so situation single since stay stealing stepdad stop than terrible temporary temporarily taste talk taking take switching summer success subscribers subscriber sub stupid stranger stopped significant sign letting rotating scaling scales saving save same run rules rule rising sight risen rise ripped right ridiculous return retiring retired second secure see seems sick shoves shouldn should short she shady several settled set servicio services service series sense selection seen thank thanks thats warrant what were went well weeks week we waste wants their wanted want waiting wait vs virtue vaccine ut whats when where who youll you yet years yearly year yall ya wouldn would work wont won without with will wife using uses users town too told today tired tipped times time tightening tight throughout through this things thing they these there tooo tracking use try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resume resubscribe restriction must no nice next news never needed need my multiple other much moving moved move more months monthly month non nonesence nonsense nothing option opportunity opening opened ontario only oneday one on ok often offset offered off of now notified money monetary moment made loyalty lower lost losing loose looking longer lol locations location ll living live limiting limited limit life luck make mom makes mistake mind might merge memberships membership members member medical means me maybe may married market manservices making or others restrict putting rather rates rate raising raises raise quickly quality put our pushed provider profits profit profiles problem pricing prices re reactivate really
Topic 28 | Coherence=-223415.21 | Top words= it this afford can at now pay time you job but don right keep prices will upping lost using month think and increasing too declined charging due high when willing longer cant worth again start hardly no huge card losing by been apps amounts way am other any cannot interested vaccine re tight rising focused has increase later entertaining going gas greedy get getting end gf girl give greed expenses given expected go goes everything entertainment every great even garbage enough euro gone gonna good got gotten gouging especially grandkids fees extortion expensive far fix first hacked financially fan financial fault games finally fee fiance feel few feet fixed family flat food for forcing forever fair forth free fact frequent from fuel face future extra guys hikes hackednot its keeping justify just joint join jacking itself issues kept issue isnt isn is iny intolerable into keeps kidding hacking less limited limit like life letting let lesser legacy kids left leave learning layoff last laid lack instead inflation increments he hiking email hike higher her help health having increasses havent have hard happy hand half had history holder horrible hosehold increases increased income in improvements im ill if idea husband hungry how households household house emails youre elsewhere benefit biggest biden biased biannually bf between better benefits being change begin before becoming because became be barely bank bill billing billings bills caused caring cared care cancelling canceling cancel bye business buggin budget broke break boyfriend both blindly bit back awhile away alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all automatically allow aunt as aren are aparently anyways anymore anticonsumer another annually an amount amercian also already almost allowed cell changed else death disappointed direction different differences didnt deteriorated delivering decisions deal changes days day daughter date damn dad cutting cut discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate drive drastically drain down double dont done little doesnt do customers customer currently competitive company coming come combining combine college climbing climb city choose choice checking cheaper charges charged charge changing compared compromised current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider limiting loyal live spending stealing stay states starting started squeeze spouses spouse spend stop span sorry soon son something someone some so stepdad stopped single support temporary temporarily taste talk taking take system switching summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger situation since living same seems see secure second scaling scales saving save run selection rules rule rotating risen rise ripped ridiculous return seen sense significant she signaling sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services service terrible than thank warrant were went well weeks week we waste was wants whats wanted want waiting wait vs virtue value ut what where thanks would youll yet years yearly year yall ya wouldn workable while work wont won without with wife why who uses users used through told today to tired tipped times tightening throughout things use thing they these there their the thats that tooo town tracking tried us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try retiring retired resume next of notified nothing not nonsense nonesence non nice news offer newest new never needed need my must multiple off offered over opening out our others original or options option opportunity opened offset ontario only oneday one once on ok often much moving moved loyalty market many manservices making makes make made luck your move lower loose looking long lol locations location ll married may maybe me more months monthly money monetary moment mom mistake mind might merge memberships membership members member medical means outside overpriced resubscribe raise reality reactivate rather rates rate raising raises raised quickly reason quality putting put pushed provider profits profit profiles really recent own rent restriction
Topic 29 | Coherence=-224020.90 | Top words= to and subscription my in have use different too be are already expensive on live two putting increase made activities kids choose into between extortion won anymore both but or able addresses life everything one hacked else the other hikes this change don price limiting household poland get amercian hard much getting fix charges single never do entertainment another raising disgusting often opening only payday dont enough flat focused food for forcing forever forth free frequent from fuel learning inflation future give good gonna gone going goes go given girl fixed gf laid last later layoff gas garbage games first leave fan even every limited expected expenses limit like letting extra face fact fair family let far gotten fault fee feel lesser fees less feet few fiance finally legacy left financial financially got great gouging households husband hungry issue huge how issues it history house hosehold horrible its itself holder isnt idea if ill im improvements isn income is iny intolerable increased interested increases increasing instead increasses jacking job grandkids had hardly kept kidding happy hand half hacking hiking hackednot lack guys greedy greed increments keeps has keeping keep havent having he health justify just help joint her high euro hike join higher due especially benefits billing bill biggest biden biased biannually bf better benefit back being begin before been becoming because became barely billings bills bit blindly cared care card cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend bank awhile entertaining addition agree againlater again after afford adicional addtional additional adding away added acct accounts account access acceptance absurd about alarming all allow allowed automatically aunt at as aren apps aparently anyways any anticonsumer annually an amounts amount am also almost caring caused cell death disappointed direction differences didnt deteriorated delivering declined decisions deal changed days day daughter date damn dad cutting cut discontinue disgusts divorce doesnt end emails email elsewhere eliminating el edge easily earlier each duplicate drive drastically drain down double done customers customer currently competitive company coming come combining combine college climbing climb city choice checking cheaper charging charged charge changing changes compared compromised current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider little youre living states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon temporarily their thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success sorry son rising secure services service series sense selection seen seems see second set scaling scales saving save same run rules rule servicio settled something sight someone some so situation since significant signaling sign sick several shoves shouldn should short she sharing share shady there these they week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why thing wouldn youll you yet years yearly year yall ya would wife worth workable work wont without with willing will wait vs virtue tired trying try tried tracking town tooo told today tipped value times time tightening tight throughout through think things twice unable under understand vaccine ut using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rotating risen ll no of now notified nothing not nonsense nonesence non nice offer next news newest new needed need must multiple off offered moved others owning owner own overpriced over outside out our original offset options option opportunity opened ontario oneday once ok moving move rise lower many manservices making makes make luck loyalty your lost married losing loose looking longer long lol locations location market may more mind months monthly month money monetary moment mom mistake might maybe merge memberships membership members member medical means me pagos parent parents reality reduce redo rectifying recession recently recent reason really reactivate reflect re rather rates rate raises raised raise quickly reducing rejoin passed restriction ripped
Topic 30 | Coherence=-222972.76 | Top words= to the and my of change need country shady tried want fact almost be dont billing cancel offer your different also used no location like new pay currency changed service current customer unable moved help all date you at really another fees adding increasing membership ontario financial tired redo go situation restriction up if euro sharing lost afford must profiles food gas great gf guys girl future give greedy greed games getting grandkids gone given garbage goes gouging gotten going get good gonna got forcing fuel from fault far fan family fair face extra extortion expensive expenses expected everything every even especially fee feel feet focused frequent free forth forever hackednot for flat few fixed fix first financially finally fiance hacked youre hacking keep just joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested justify keeping inflation keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept instead increments had history hikes hike entertaining higher high her health he having havent have has hardly hard happy hand half hiking holder increasses horrible increases increased increase income in improvements im ill idea husband hungry huge how households household house hosehold entertainment drain enough benefits bill biggest biden biased biannually bf between better benefit back being begin before been becoming because became barely billings bills bit blindly care card cant cannot cancelling canceling can bye by but business buggin budget broke break boyfriend both bank awhile caring addition agree againlater again after adicional addtional addresses additional added away activities acct accounts account access acceptance absurd about alarming allow allowed already automatically aunt as aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am cared caused end deteriorated divorce disgusts disgusting discontinue disappointed direction differences didnt delivering cutting declined decisions death deal days day daughter damn do doesnt don done emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically limited down double dad cut cell choose coming come combining combine college climbing climb city choice customers checking cheaper charging charges charged charge changing changes company compared competitive compromised currently creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected limit loyal limiting starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber their talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription soon son something scales sense selection seen seems see secure second scaling saving someone save same run rules rule rotating rising risen series services servicio set some so single since significant signaling sign sight sick shoves shouldn should short she share several settled thats there little week where when whats what were went well weeks we who way waste was warrant wants wanted waiting wait while why these would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs virtue value time tracking town tooo too told today tipped times tightening vaccine tight throughout through this think things thing they try trying twice two ut using uses users use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped right nonesence offset offered off now notified nothing not nonsense non ok nice next news newest never needed multiple much often on ridiculous original own overpriced over outside out our others other or once options option opportunity opening opened only oneday one moving move more losing manservices making makes make made luck loyalty lower loose months looking longer long lol locations ll living live many market married may monthly month money monetary moment mom mistake mind might merge memberships members member medical means me maybe owner owning pagos rate recently recent reason reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recession rectifying reduce reducing
Topic 31 | Coherence=-216816.91 | Top words= hike for to too newest an charging hikes the share extra many and your rate months will year cancel increasses offset each before preemptively canceling next company stopping sharing much activities got not fuel girl gas future gf garbage getting get games youre give given half had hacking hackednot hacked guys greedy greed great grandkids gouging gotten good gone going goes go gonna forcing from frequent family fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email fan far fault fix free forth forever happy food focused flat fixed first fee financially financial finally fiance few feet fees feel hand high hard just lack kids kidding kept keeps keeping keep justify joint isn join job jacking itself its it issues issue laid last later layoff ll living live little limiting limited limit like life letting let lesser less legacy left leave learning isnt is hardly higher households household house hosehold horrible holder history hiking else iny her help health he having havent have has how huge hungry husband intolerable into interested instead inflation increments increasing increases increased increase income in improvements im ill if idea elsewhere drive eliminating el biased biannually bf between better benefits benefit being begin been becoming because became be barely bank back awhile away biden biggest bill buggin cant cannot cancelling can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow amounts amount amercian am also already almost allowed card care cared days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current down edge easily earlier duplicate due locations drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting currently currency caring cheaper combine college climbing climb city choose choice checking charges come charged charge changing changes changed change cell caused combining coming creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive location loyal lol long subscriber sub stupid stranger stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span subscribers subscription subscriptions temporary there their thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer sorry soon son second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set something sign someone some so situation single since significant signaling sight settled sick shoves shouldn should short she shady several these they thing we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who virtue would youll you yet years yearly yall ya wouldn worth why workable work wont won without with willing wife vs value things tired trying try tried tracking town tooo told today tipped two times time tightening tight throughout through this think twice unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand rising risen rise now once on ok often offered offer off of notified oneday nothing nonsense nonesence non no nice news new one only needed our pagos owning owner own overpriced over outside out others ontario other original or options option opportunity opening opened never need parents make me maybe may married market manservices making makes made medical luck loyalty lower lost losing loose looking longer means member my money must multiple moving moved move more monthly month monetary members moment mom mistake mind might merge memberships membership parent passed ripped reactivate redo rectifying recession recently recent reason really reality re reducing rather rates raising raises raised raise quickly quality reduce reflect put restrict right ridiculous
 67%|██████▋   | 32/48 [1:48:18<1:19:30, 298.17s/it]
Topic 32 | Coherence=-227324.64 | Top words= and the price is you up too service it am going greedy times keeps increasing raised high just my cost terrible gotten charges many prices this fees getting pricing on provider amount fixed income way added much through when quality be was about have started rules to down but rising days went jacking becoming are access every non second retired connected with everything customer membership phone biggest horrible keep deal tooo given cell nothing fee prescription almost limiting few cant before climbing bit retiring focused garbage fair fact face extra get extortion gf girl give expensive expenses go goes expected even gone euro especially entertainment gonna good gas games food family flat fix first for forcing forever financially financial forth finally fiance free feet feel frequent from fault fuel far future fan got help gouging intolerable itself its issues issue isnt isn iny into join interested instead inflation increments increasses increases increased job joint in layoff let lesser less legacy left leave learning later justify last laid lack kids kidding kept keeping increase improvements grandkids hand he having havent has hardly hard happy half enough had hacking hackednot hacked guys greed great health her im households ill if idea husband hungry huge how household higher house hosehold holder history hiking hikes hike entertaining youre end bills billing bill biden biased biannually bf between better benefits benefit being begin been because became barely bank billings blindly awhile both caring cared care card cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend back away change all agree againlater again after afford adicional addtional addresses additional addition adding activities acct accounts account acceptance absurd alarming allow automatically allowed aunt at as aren apps aparently anyways anymore any anticonsumer another annually an amounts amercian also already caused changed emails doesnt divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death day daughter date do life dad don email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain double dont done damn cutting changes compromised compared company coming come combining combine college climb city choose choice checking cheaper charging charged charge changing competitive consider cut consolidating customers currently current currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant letting loyal like spouse stepdad stealing stay states starting start squeeze spouses spending situation spend span sorry soon son something someone some stop stopped stopping stranger temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid so single thank same seen seems see secure scaling scales saving save run since rule rotating risen rise ripped right ridiculous return selection sense series services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio than thanks limit waste where whats what were well weeks week we warrant ut wants wanted want waiting wait vs virtue value while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will vaccine using that tight tracking town told today tired tipped time tightening throughout uses think things thing they these there their thats tried try trying twice users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two resume resubscribe restriction never nonsense nonesence no nice next news newest new needed month need must multiple moving moved move more months not notified now of or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off monthly money restrict longer luck loyalty your lower lost losing loose looking long monetary lol locations location ll living live little limited made make makes making moment mom mistake mind might merge memberships members member medical means me maybe may married market manservices original other others quickly reactivate re rather rates rate raising raises raise putting our put pushed profits profit profiles problem president prefer reality really reason
Average topic coherence for the top words is -223970.79694051715
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.32it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.29it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.25it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.26it/s]
 10%|█         | 5/50 [00:00<00:08,  5.26it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.27it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.30it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.31it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.31it/s]
 20%|██        | 10/50 [00:01<00:07,  5.29it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.28it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.30it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.31it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.33it/s]
 30%|███       | 15/50 [00:02<00:06,  5.32it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.33it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.34it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.33it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.33it/s]
 40%|████      | 20/50 [00:03<00:05,  5.32it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.32it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.30it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.28it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.29it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.32it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.35it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.35it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.35it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.35it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.34it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.32it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.33it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.33it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.33it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.29it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.29it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.31it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.28it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.29it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.31it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.32it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.34it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.33it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.34it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.32it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.30it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.29it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.29it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.30it/s]
100%|██████████| 50/50 [00:09<00:00,  5.31it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.54it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.56it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.55it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.58it/s]
 10%|█         | 5/50 [00:00<00:06,  6.58it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.58it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.58it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.59it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.59it/s]
 20%|██        | 10/50 [00:01<00:06,  6.60it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.61it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.63it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.65it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.60it/s]
 30%|███       | 15/50 [00:02<00:05,  6.58it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.54it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.58it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.58it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.54it/s]
 40%|████      | 20/50 [00:03<00:04,  6.55it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.56it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.58it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.58it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.59it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.61it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.62it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.61it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.60it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.59it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.59it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.57it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.59it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.56it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.55it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.53it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.54it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.56it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.57it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.58it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.58it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.59it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.58it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.60it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.58it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.59it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.60it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.59it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.60it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.62it/s]
100%|██████████| 50/50 [00:07<00:00,  6.58it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.56it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.51it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.51it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.52it/s]
 10%|█         | 5/50 [00:01<00:12,  3.52it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.52it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.52it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.52it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.52it/s]
 20%|██        | 10/50 [00:02<00:11,  3.50it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.51it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.52it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.51it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.50it/s]
 30%|███       | 15/50 [00:04<00:09,  3.53it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.52it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.53it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.53it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.53it/s]
 40%|████      | 20/50 [00:05<00:08,  3.51it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.51it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.52it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.52it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.53it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.53it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.54it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.54it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.51it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.52it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.52it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.52it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.52it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.53it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.54it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.54it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.53it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.54it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.52it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.52it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.52it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.51it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.51it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.51it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.51it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.51it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.51it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.51it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.52it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.52it/s]
100%|██████████| 50/50 [00:14<00:00,  3.52it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.71it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.72it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.72it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.71it/s]
 10%|█         | 5/50 [00:01<00:16,  2.68it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.69it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.70it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.70it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.71it/s]
 20%|██        | 10/50 [00:03<00:14,  2.70it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.70it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.70it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.70it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.70it/s]
 30%|███       | 15/50 [00:05<00:12,  2.71it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.71it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.71it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.71it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.71it/s]
 40%|████      | 20/50 [00:07<00:11,  2.71it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.72it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.72it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.72it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.72it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.71it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.72it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.73it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.72it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.73it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.72it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.72it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.72it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.70it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.70it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.70it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.71it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.72it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.72it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.70it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.70it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.70it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.70it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.70it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.71it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.71it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.71it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.70it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.69it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.70it/s]
100%|██████████| 50/50 [00:18<00:00,  2.71it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.77it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.77it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.77it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.78it/s]
 10%|█         | 5/50 [00:02<00:25,  1.78it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.78it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.79it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.78it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.78it/s]
 20%|██        | 10/50 [00:05<00:22,  1.78it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.79it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.79it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.78it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.79it/s]
 30%|███       | 15/50 [00:08<00:19,  1.79it/s]
 32%|███▏      | 16/50 [00:08<00:19,  1.79it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.78it/s]
 36%|███▌      | 18/50 [00:10<00:17,  1.78it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.78it/s]
 40%|████      | 20/50 [00:11<00:16,  1.78it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.78it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.78it/s]
 46%|████▌     | 23/50 [00:12<00:15,  1.78it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.78it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.78it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.78it/s]
 54%|█████▍    | 27/50 [00:15<00:12,  1.78it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.79it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.79it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.78it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.78it/s]
 64%|██████▍   | 32/50 [00:17<00:10,  1.79it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.78it/s]
 68%|██████▊   | 34/50 [00:19<00:08,  1.79it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.78it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.79it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.79it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.79it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.78it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.79it/s]
 82%|████████▏ | 41/50 [00:22<00:05,  1.79it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.79it/s]
 86%|████████▌ | 43/50 [00:24<00:03,  1.79it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.79it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.78it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.78it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.78it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.79it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.78it/s]
100%|██████████| 50/50 [00:28<00:00,  1.78it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.67it/s]
Topic 0 | Coherence=-224214.37 | Top words= the for price of subscription my out lack now getting are on as hikes reality acceptance through is hand change divorce using another to wife courtesy that going selection charges left sharing spending just work far got platform life be phone moving already thank will everything moment provider else am at budget happy instead anymore awhile country temporary terrible several currently own prices residence fixed every gf face girl extra extortion expensive give expenses given go goes expected gonna gone fair even euro good especially entertainment gotten entertaining enough gouging grandkids great fact family greed from flat focused food first financially financial forcing forever forth finally free frequent fuel get fiance future few feet games fees feel fee fault garbage gas fan fix youre greedy joint job jacking itself its it issues issue isnt isn iny intolerable into interested inflation increments increasses increasing join justify guys keep like letting let lesser less legacy leave learning layoff later last laid kids kidding kept keeps keeping increases increased increase income high her help health he emails having havent have has hardly hard half had hacking hackednot hacked higher hike hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder end dont email better billing bill biggest biden biased biannually bf between benefits bank benefit being begin before been becoming because became billings bills bit blindly care card cant cannot cancelling canceling cancel can bye by but business buggin broke break boyfriend both barely back elsewhere addition againlater again after afford adicional addtional addresses additional adding away added activities acct accounts account access absurd about agree alarming all allow automatically aunt aren apps aparently anyways any anticonsumer annually and an amounts amount amercian also almost allowed cared caring caused decisions disappointed direction different differences didnt deteriorated delivering declined death cell deal days day daughter date damn dad cutting discontinue disgusting disgusts do eliminating el edge easily earlier each duplicate due drive drastically drain down double limited done don doesnt cut customers customer company come combining combine college climbing climb city choose choice checking cheaper charging charged charge changing changes changed coming compared current competitive currency creep credit covid costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limit loyal limiting squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spend span sorry soon son something someone stopped stranger these take their thats thanks than temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub some so situation same seems see secure second scaling scales saving save run single rules rule rotating rising risen rise ripped right seen sense series service since significant signaling sign sight sick shoves shouldn should short she share shady settled set servicio services there they little way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while thing wouldn youll you yet years yearly year yall ya would who worth workable wont won without with willing why virtue value vaccine tired try tried tracking town tooo too told today tipped ut times time tightening tight throughout this think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ridiculous return retiring new nonsense nonesence non no nice next news newest never nothing needed need must multiple much moved move more not notified retired ontario other original or options option opportunity opening opened only off oneday one once ok often offset offered offer months monthly month loose make made luck loyalty your lower lost losing looking money longer long lol locations location ll living live makes making manservices many monetary mom mistake mind might merge memberships membership members member medical means me maybe may married market others our outside raises reason really reactivate re rather rates rate raising raised problem raise quickly quality putting put pushed profits profit recent recently recession rectifying
Topic 1 | Coherence=-222655.04 | Top words= price and with to increases is more can saving be deal problem continuous need money cost don keeps the sharing up off going of quality laid got dad down just costs your inflation support benefits went when nonsense rising changing life waste biggest stopping climbing much food no nonesence recession rotating using wont gas hardly less back play must in outside short email end expected yearly gouging girl expensive expenses everything games garbage every even get getting gf euro give finally given go especially goes entertainment entertaining gone gonna good enough gotten extortion future fuel fault fiance financially few first fix fixed feet fees flat focused feel fee far from fan family fair for fact forcing forever face extra forth free frequent financial youre grandkids job itself its it issues issue isnt isn iny intolerable into interested instead increments increasses increasing increased increase jacking join great joint letting let lesser legacy left leave learning layoff later last lack kids kidding kept keeping keep justify income improvements im ill health he having emails have has hard happy hand half had hacking hackednot hacked guys greedy greed help her high household if idea husband hungry huge how households house higher hosehold horrible holder history hiking hikes hike havent dont elsewhere becoming bf between better benefit being begin before been because biased became barely bank awhile away automatically aunt at biannually biden else budget cancelling canceling cancel bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing as aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cannot cant card death direction different differences didnt deteriorated delivering declined decisions days current day daughter date damn cutting cut customers customer disappointed discontinue disgusting disgusts eliminating el edge easily earlier each duplicate due drive drastically drain double limit done doesnt do divorce currently currency care charges college climb city choose choice checking cheaper charging charged creep charge changes changed change cell caused caring cared combine combining come coming credit covid courtesy country continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub limiting talk that thanks thank than terrible temporary temporarily taste taking subscriber take system switching summer success subscriptions subscription subscribers something someone some scales sense selection seen seems see secure second scaling save so same run rules rule risen rise ripped right series service services servicio situation single since significant signaling sign sight sick shoves shouldn should she share shady several settled set thats their there was whats what were well weeks week we way warrant ut wants wanted want waiting wait vs virtue value where while who why youll you yet years year yall ya wouldn would worth workable work won without willing will wife vaccine uses these time town tooo too told today tired tipped times tightening users tight throughout through this think things thing they tracking tried try trying used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous return retiring news offer now notified nothing not non nice next newest monthly new never needed my multiple moving moved move offered offset often ok out our others other original or options option opportunity opening opened ontario only oneday one once on months month overpriced looking make made luck loyalty lower lost losing loose longer monetary long lol locations location ll living live little makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market over own retired raising reason really reality reactivate re rather rates rate raises profiles raised raise quickly putting put pushed provider profits recent recently rectifying redo
Topic 2 | Coherence=-230749.13 | Top words= prices and better keep people raising other kept services gonna cheaper reason youre if using so only are im was out charge now charging your you for subscription it that the money stop in on me from because years havent been customer yall stealing anymore into just rules success ridiculous fees some put benefit twice months raised activities summer health need increase but fair please declined gouging entertaining every everything getting gf end expected even given gotten girl give especially entertainment enough go goes going got good euro gone get forth gas fact financially financial finally fiance few face feet garbage feel fee fault far family fan first fix extra fixed extortion flat focused food expensive forcing forever free frequent fuel expenses future games grandkids has great isn job jacking itself its issues issue isnt is joint iny intolerable interested instead inflation increments increasses join justify increases learning letting let lesser less legacy left leave layoff keeping later last laid lack kids kidding keeps increasing increased greed happy help he having have email hardly hard hand high half had hacking hackednot hacked guys greedy her higher income households improvements ill idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes emails done elsewhere begin biggest biden biased biannually bf between benefits being before billing becoming became be barely bank back awhile away bill billings cared by card cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit automatically aunt at addition againlater again after afford adicional addtional addresses additional adding as added acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already almost allowed care caring else death disappointed direction different differences didnt deteriorated delivering decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts caused drive eliminating el edge easily earlier each duplicate due drastically divorce drain down double dont like don doesnt do customers currently current choose coming come combining combine college climbing climb city choice currency checking charges charged changing changes changed change cell company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected life loyal limit squeeze stopping stopped stepdad stay states starting started start spouses stupid spouse spending spend span sorry soon son something stranger sub limited temporarily there their thats thanks thank than terrible temporary taste subscriber talk taking take system switching support subscriptions subscribers someone situation single save seen seems see secure second scaling scales saving same since run rule rotating rising risen rise ripped right selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio these they thing we when whats what were went well weeks week way value waste warrant wants wanted want waiting wait vs where while who why youll yet yearly year ya wouldn would worth workable work wont won without with willing will wife virtue vaccine things tired tried tracking town tooo too told today to tipped ut times time tightening tight throughout through this think try trying two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under return retiring retired new nonsense nonesence non no nice next news newest never monthly needed my must multiple much moving moved move not nothing notified of original or options option opportunity opening opened ontario oneday one once ok often offset offered offer off more month our longer made luck loyalty lower lost losing loose looking long monetary lol locations location ll living live little limiting make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many others outside resume raise really reality reactivate re rather rates rate raises quickly price quality putting pushed provider profits profit profiles problem recent recently recession rectifying
Topic 3 | Coherence=-225779.62 | Top words= you price the increase that for pay sharing it is to of just year keep not when good people raising every prices want guys they but stop because from really seems nothing added bye pricing ok something customers and fault increases charges cheaper being way talk in take expensive sick off euro lol declined ripped jacking currency recent original share continue living break games barely bill entertainment reflect future fuel gonna got go garbage given gone get getting gf going goes girl give gas youre frequent expenses fan family fair fact face extra extortion expected free everything even especially entertaining enough end emails far fee feel fees forth forever forcing food focused flat fixed fix first financially financial finally fiance few feet gotten hardly gouging joint job itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increased join justify grandkids keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps income improvements im ill health he having havent have has hard happy hand half had hacking hackednot hacked greedy greed great help her high household if idea husband hungry huge how households house higher hosehold horrible holder history hiking hikes hike email done elsewhere been biannually bf between better benefits benefit begin before becoming biden became be bank back awhile away automatically aunt biased biggest else business card cant cannot cancelling canceling cancel can by buggin billing budget broke boyfriend both blindly bit bills billings at as aren addition againlater again after afford adicional addtional addresses additional adding are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed care cared caring decisions discontinue disappointed direction different differences didnt deteriorated delivering death customer deal days day daughter date damn dad cutting disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont like don doesnt cut currently caused choice come combining combine college climbing climb city choose checking current charging charged charge changing changes changed change cell coming company compared competitive creep credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised life loyal limit start stopping stopped stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub limited taste their thats thanks thank than terrible temporary temporarily taking subscriber system switching support summer success subscriptions subscription subscribers someone some so same seen see secure second scaling scales saving save run situation rules rule rotating rising risen rise right ridiculous selection sense series service single since significant signaling sign sight shoves shouldn should short she shady several settled set servicio services there these thing we where whats what were went well weeks week waste vaccine was warrant wants wanted waiting wait vs virtue while who why wife youll yet years yearly yall ya wouldn would worth workable work wont won without with willing will value ut things tired try tried tracking town tooo too told today tipped using times time tightening tight throughout through this think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under return retiring retired need no nice next news newest new never needed my month must multiple much moving moved move more months non nonesence nonsense notified or options option opportunity opening opened ontario only oneday one once on often offset offered offer now monthly money others loose make made luck loyalty your lower lost losing looking monetary longer long locations location ll live little limiting makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market other our resume quickly reactivate re rather rates rate raises raised raise quality prescription putting put pushed provider profits profit profiles problem reality reason recently recession
Topic 4 | Coherence=-221160.78 | Top words= price the years to no money worth not also longer service value extra good greedy over few it increases past hikes enough fan many increasing new way do with cost subscriptions continually point delivering little while continues policy changes frequent vs agree isnt justify better raising popular in phone any every hand gas even garbage give get getting emails gf euro girl end given go greed goes everything especially gone gonna entertainment got great gotten gouging grandkids entertaining going expenses games fixed feel fees feet fault far family fair fiance finally fact financial financially first fix guys expected focused food for face forcing extortion forever forth free expensive from fee fuel future flat having hacked kidding keeps keeping keep just joint join job jacking itself its issues issue isn is iny intolerable into kept kids instead lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid interested inflation hackednot history hike higher high her help health he elsewhere havent have has hardly hard happy half had hacking hiking holder increments horrible increasses increased increase income improvements im ill if idea husband hungry huge how households household house hosehold email youre else eliminating biased biannually bf between benefits benefit being begin before been becoming because became be barely bank back awhile away biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about againlater all as annually aren are apps aparently anyways anymore anticonsumer another and allow an amounts amount amercian am already almost allowed cannot cant card days different differences didnt deteriorated declined decisions death deal day disappointed daughter date damn dad cutting cut customers customer direction discontinue current live el edge easily earlier each duplicate due drive drain disgusting down double dont done don doesnt divorce disgusts currently currency care charges climbing climb city choose choice checking cheaper charging charged combine charge changing changed change cell caused caring cared college combining creep constantly credit covid courtesy country costs continuous continue continously constant come consolidating consider connected compromised competitive compared company coming drastically loyal living started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something talk that thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscription subscribers son someone rise scaling series sense selection seen seems see secure second scales servicio saving save same run rules rule rotating rising services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several thats their there was what were went well weeks week we waste warrant when wants wanted want waiting wait virtue vaccine ut whats where these would youll you yet yearly year yall ya wouldn workable who work wont won without willing will wife why using uses users time town tooo too told today tired tipped times tightening used tight throughout through this think things thing they tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice risen ripped ll non offer off of now notified nothing nonsense nonesence nice offset next news newest never needed need my must offered often much option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on multiple moving right your market manservices making makes make made luck loyalty lower may lost losing loose looking long lol locations location married maybe moved mistake move more months monthly month monetary moment mom mind me might merge memberships membership members member medical means overpriced own owner re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raises raised raise quickly quality putting redo reducing owning restart ridiculous
Topic 5 | Coherence=-222497.01 | Top words= for re and your charge to you my in me thank no worth uses ut sign she going college not bye anyways good daughter is it kids more that expensive another others unfair intolerable city live switching are services compared prices so greedy better kidding family profits lesser offer how fair again allow date system payment constant even else itself getting every gf give get given go girl feet goes euro gone garbage gonna especially entertainment got gotten entertaining gouging grandkids enough great greed gas expected games fact few fees feel fiance fee finally fault financial far fan financially first fix fixed flat future focused food face forcing extra extortion forever forth free expenses frequent from fuel everything youre he guys keeping justify just joint join job jacking its issues issue isnt isn iny into interested instead inflation increments keep keeps increasing kept limiting limited limit like life letting let less legacy left leave learning layoff later last laid lack increasses increases hacked hike high her help health emails having havent have has hardly hard happy hand half had hacking hackednot higher hikes increased hiking increase income improvements im ill if idea husband hungry huge households household house hosehold horrible holder history end double email begin biden biased biannually bf between benefits benefit being before away been becoming because became be barely bank back biggest bill billing billings cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend both blindly bit bills awhile automatically card adding againlater after afford adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about agree alarming all allowed at as aren apps aparently anymore any anticonsumer annually an amounts amount amercian am also already almost cant care elsewhere decisions disappointed direction different differences didnt deteriorated delivering declined death currently deal days day damn dad cutting cut customers discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain down dont done don doesnt do customer current cared charging combining combine climbing climb choose choice checking cheaper charges currency charged changing changes changed change cell caused caring come coming company competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised little loyal living started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something taste their the thats thanks than terrible temporary temporarily talk subscriber taking take support summer success subscriptions subscription subscribers son someone ll save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series some shouldn situation single since significant signaling sight sick shoves should service short sharing share shady several settled set servicio there these they we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who thing would youll yet years yearly year yall ya wouldn workable why work wont won without with willing will wife vs virtue value tipped tried tracking town tooo too told today tired times vaccine time tightening tight throughout through this think things try trying twice two using users used use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable right ridiculous return nice off of now notified nothing nonsense nonesence non next offset news newest new never needed need must multiple offered often own option over outside out our other original or options opportunity ok opening opened ontario only oneday one once on much moving moved lower many manservices making makes make made luck loyalty lost move losing loose looking longer long lol locations location market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means overpriced owner retiring raising recent reason really reality reactivate rather rates rate raises recession raised raise quickly quality putting put pushed provider recently rectifying owning reside retired
Topic 6 | Coherence=-221765.82 | Top words= your many you greedy not charging subscriptions hikes of fan way few price past over share also money because the extra for keep good using really been no its respect members run legacy times series canceling with damn popular daughter living made absurd about amount much city as be reason continue go euro even goes girl given give gf getting get gas going entertainment especially gone gonna garbage got gotten gouging grandkids great greed entertaining guys enough hacked hackednot every fees everything financially focused hacking flat fixed fix first financial games far fault finally fiance fee feel family fair fact face food extortion forcing forever forth free expensive frequent expenses from expected fuel feet future help had it keeping justify just joint join job jacking itself issues half issue isnt isn is iny intolerable into interested keeps kept kidding kids limiting limited limit like life letting let lesser less left leave learning layoff later last laid lack instead inflation increments horrible history hiking hike higher high her emails health he having havent have has hardly hard happy hand holder hosehold increasses house increasing increases increased increase income in improvements im ill if idea husband hungry huge how households household end youre email benefits bill biggest biden biased biannually bf between better benefit billings being begin before becoming became barely bank back billing bills away by care card cant cannot cancelling cancel can bye but bit business buggin budget broke break boyfriend both blindly awhile automatically elsewhere additional agree againlater again after afford adicional addtional addresses addition all adding added activities acct accounts account access acceptance alarming allow aunt anticonsumer at aren are apps aparently anyways anymore any another allowed annually and an amounts amercian am already almost cared caring caused declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day date dad cutting cut disgusting divorce cell due else eliminating el edge easily earlier each duplicate little do drastically drain down double dont done don doesnt customers customer currently choice coming come combining combine college climbing climb choose checking current cheaper charges charged charge changing changes changed change company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected drive loyal live stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting started start squeeze spouses spouse spending spend subscriber subscription sorry temporary there their thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer span soon ll secure servicio services service sense selection seen seems see second settled scaling scales saving save same rules rule rotating set several son signaling something someone some so situation single since significant sign shady sight sick shoves shouldn should short she sharing these they thing we when whats what were went well weeks week waste while was warrant wants wanted want waiting wait vs where who things would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife virtue value vaccine to try tried tracking town tooo too told today tired ut tipped time tightening tight throughout through this think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rising risen rise nonesence offset offered offer off now notified nothing nonsense non ok nice next news newest new never needed need often on owning or own overpriced outside out our others other original options once option opportunity opening opened ontario only oneday one my must multiple lower married market manservices making makes make luck loyalty lost moving losing loose looking longer long lol locations location may maybe me means moved move more months monthly month monetary moment mom mistake mind might merge memberships membership member medical owner pagos ripped rates rectifying recession recently recent reality reactivate re rather rate reduce raising raises raised raise quickly quality putting put redo reducing parent restrict right
Topic 7 | Coherence=-213473.35 | Top words= to increase and service customer garbage customers even cut your do care about rate expenses price just need almost shouldn am drive competitive manservices market down provider pick rent increased per from through month profit financially some my cancel starting hard time connected looking you cell costs getting retiring extortion must broke flat subscriptions isn first after coming needed keeps got gonna good gas great gouging get gf gone give given grandkids gotten go goes going girl youre games face fee fault far fan family fair fact extra future expensive expected everything every euro especially entertainment feel fees feet few fuel frequent free forth forever forcing for food focused greedy fixed fix financial finally fiance greed havent guys its keeping keep justify joint join job jacking itself it inflation issues issue isnt is iny intolerable into interested kept kidding kids lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid instead increments hacked having hikes hike higher high her help health he have increasses has hardly happy hand half had hacking hackednot hiking history holder horrible increasing increases income in improvements im ill if idea husband hungry huge how households household house hosehold entertaining due enough before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest end buggin cannot cancelling canceling can bye by but business budget bill break boyfriend both blindly bit bills billings billing away automatically aunt addition agree againlater again afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd alarming all allow allowed as aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already cant card cared delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cutting decisions death deal days day daughter date damn disgusts divorce doesnt don emails email elsewhere else eliminating el edge easily earlier each duplicate live drastically drain double dont done dad currently caring cheaper combine college climbing climb city choose choice checking charging current charges charged charge changing changes changed change caused combining come company compared currency creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider compromised little loyal living stepdad subscribers subscriber sub stupid stranger stopping stopped stop stealing success stay states started start squeeze spouses spouse spending subscription summer span than these there their the thats that thanks thank terrible support temporary temporarily taste talk taking take system switching spend sorry ll secure servicio services series sense selection seen seems see second settled scaling scales saving save same run rules rule set several soon signaling son something someone so situation single since significant sign shady sight sick shoves should short she sharing share they thing things week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why think would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will wait vs virtue too two twice trying try tried tracking town tooo told value today tired tipped times tightening tight throughout this unable under understand unemployed vaccine ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair rotating rising risen not offset offered offer off of now notified nothing nonsense ok nonesence non no nice next news newest new often on owner or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one never multiple much loyalty may married many making makes make made luck lower moving lost losing loose longer long lol locations location maybe me means medical moved move more months monthly money monetary moment mom mistake mind might merge memberships membership members member own owning rise re rectifying recession recently recent reason really reality reactivate rather reduce rates raising raises raised raise quickly quality putting redo reducing pagos restrict ripped
Topic 8 | Coherence=-230650.06 | Top words= you extra and family about bill my that the increase using when subscription share don like money outside charge power limit states news idea with paying of youre want extortion taste are its disgusting greedy me company different have pay for but subscriptions cant what this got hosehold thank agree dont people kids unable your losing already seen even prefer their yearly think through give going given go addition girl expensive gf face goes activities expenses expected fan everything gone hacking hackednot hacked especially guys euro acct greed great grandkids gouging gotten good every getting gonna games get finally added first fair financially financial adding fiance gas few feet fees feel fee fault fix fixed flat focused food forcing forever half forth free frequent from fuel future fact far garbage had her hand inflation just joint join job jacking itself it issues issue isnt isn is iny intolerable into interested instead justify keep keeping leave life letting let lesser less legacy left learning keeps layoff later last laid lack kidding kept absurd increments happy increasses holder history accounts hiking hikes hike higher high entertaining help health he having havent has hardly hard horrible house household im increasing increases increased acceptance income in improvements ill households if access husband account hungry huge how entertainment easily enough by againlater business buggin budget broke break boyfriend both blindly bit bills billings billing biggest biden biased biannually again bye charging can charged afford changing changes changed change cell after caused caring cared care card cannot cancelling canceling cancel bf between better benefits apps aparently anyways anymore any anticonsumer another annually all an amounts amount amercian am also almost allowed alarming aren as became benefit being begin before been becoming because be at barely bank back awhile away automatically aunt charges cheaper end doesnt divorce disgusts discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date addresses additional checking done emails email elsewhere else eliminating el edge allow earlier each duplicate due drive drastically drain down double damn dad cutting cut consolidating consider connected compromised competitive compared coming come combining combine college climbing climb city choose choice adicional constant constantly continously credit customers customer currently current currency creep addtional covid continually courtesy country costs cost continuous continues continue do loyal limited sorry started start squeeze spouses spouse spending spend span soon stay son something someone some so situation single since starting stealing limiting summer temporary temporarily talk taking take system switching support success stepdad subscribers subscriber sub stupid stranger stopping stopped stop significant signaling sign rotating scaling scales saving save same run rules rule rising sight risen rise ripped right ridiculous return retiring retired second secure see seems sick shoves shouldn should short she sharing shady several settled set servicio services service series sense selection terrible than thanks waste whats were went well weeks week we way was ut warrant wants wanted waiting wait vs virtue value where while who why youll yet years year yall ya wouldn would worth workable work wont won without willing will wife vaccine uses thats times town tooo too told today to tired tipped time users tightening tight throughout things thing they these there tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice resume resubscribe restriction newest nothing not nonsense nonesence non no nice next new more never needed need must multiple much moving moved notified now off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered move months others looking makes make made luck loyalty lower lost loose longer monthly long lol locations location ll living live little making manservices many market month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married other our restrict raise reactivate re rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles reality really reason recent
Topic 9 | Coherence=-221127.42 | Top words= to dont and you need it money as use save do not much services guys other trying want making well resubscribe good doesnt decisions enough sense make put why are time forth needed increasing at business so keeps some that hardly now go was like when before down but just rising warrant service cost barely cut been right temporarily scaling often prefer spending redo reduce drain platforms bills membership yet charge care frequent forever gone future games going fuel garbage goes free given give girl from get gf getting gas youre forcing expected fair fact face extra extortion expensive expenses everything for every even euro especially entertainment entertaining end family fan far fault food focused flat fixed fix first financially financial finally fiance few feet fees feel fee gonna havent got into its issues issue isnt isn is iny intolerable interested improvements instead inflation increments increasses increases increased increase income itself jacking job join less legacy left leave learning layoff later last laid lack kids kidding kept keeping keep justify joint in im gotten half he having email have has hard happy hand had ill hacking hackednot hacked greedy greed great grandkids gouging health help her high if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike higher emails divorce elsewhere biden biannually bf between better benefits benefit being begin becoming because became be bank back awhile away automatically biased biggest aren bill cannot cancelling canceling cancel can bye by buggin budget broke break boyfriend both blindly bit billings billing aunt apps card againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree aparently alarming anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow all cant cared else different didnt deteriorated delivering declined death deal days day daughter date damn dad cutting customers customer currently current differences direction creep disappointed eliminating el edge easily earlier each duplicate due drive drastically double done don let disgusts disgusting discontinue currency credit caring combining college climbing climb city choose choice checking cheaper charging charges charged changing changes changed change cell caused combine come covid coming courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company lesser loyal letting start stopped stop stepdad stealing stay states starting started squeeze situation spouses spouse spend span sorry soon son something stopping stranger stupid sub thank than terrible temporary taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber someone single life rule see secure second scales saving same run rules rotating since risen rise ripped ridiculous return retiring retired resume seems seen selection series significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thanks thats the waste whats what were went weeks week we way wants their wanted waiting wait vs virtue value vaccine ut where while who wife youll years yearly year yall ya wouldn would worth workable work wont won without with willing will using uses users town too told today tired tipped times tightening tight throughout through this think things thing they these there tooo tracking used tried us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice try restriction restrict restart never nonesence non no nice next news newest new my others must multiple moving moved move more months monthly nonsense nothing notified of or options option opportunity opening opened ontario only oneday one once on ok offset offered offer off month monetary moment loyalty lower lost losing loose looking longer long lol locations location ll living live little limiting limited limit your luck mom made mistake mind might merge memberships members member medical means me maybe may married market many manservices makes original our respect pushed rate raising raises raised raise quickly quality putting provider out profits profit profiles problem pricing prices price president rates rather re
Topic 10 | Coherence=-224781.17 | Top words= too it for expensive is now prices me keep much not going worth no upward unfortunately service will new have anymore getting don want raising money when budget life right increasing subscriptions tightening later stupid rule againlater return charging amount given use maybe everything thanks never adding offered more options else its itself but vs been longer whats dont ya overpriced fees increased isn already pricing higher town waste from frequent free forth girl fuel future games garbage gas get gf give go goes gone gonna good got gotten forever youre forcing even fact face extra extortion expenses expected every euro food especially entertainment entertaining enough end emails email fair family fan far focused flat fixed fix first financially financial finally fiance few feet grandkids feel fee fault gouging high great intolerable join job jacking issues issue isnt iny into in interested instead inflation increments increasses increases increase joint just justify keeping let lesser less legacy left leave learning layoff last laid lack kids kidding kept keeps income improvements greed happy health he having havent has hardly hard hand im half had hacking hackednot hacked guys greedy help her hike hikes ill if idea husband hungry huge how households household house hosehold horrible holder history hiking elsewhere doesnt eliminating begin biased biannually bf between better benefits benefit being before biggest becoming because became be barely bank back awhile biden bill care business cant cannot cancelling canceling cancel can bye by buggin billing broke break boyfriend both blindly bit bills billings away automatically aunt addition agree again after afford adicional addtional addresses additional added at activities acct accounts account access acceptance absurd about alarming all allow allowed as aren are apps aparently anyways any anticonsumer another annually and an amounts amercian am also almost card cared el daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different caring drain edge easily earlier each duplicate due drive drastically down direction double done do divorce disgusts disgusting discontinue disappointed currency creep credit cheaper combine college climbing climb city choose choice checking charges covid charged charge changing changes changed change cell caused combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared letting loyal like spending stay states starting started start squeeze spouses spouse spend single span sorry soon son something someone some so stealing stepdad stop stopped temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub stranger stopping situation since than same seems see secure second scaling scales saving save run significant rules rotating rising risen rise ripped ridiculous retiring seen selection sense series signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services terrible thank limit was what were went well weeks week we way warrant uses wants wanted waiting wait virtue value vaccine ut where while who why youll you yet years yearly year yall wouldn would workable work wont won without with willing wife using users that this to tired tipped times time tight throughout through think used things thing they these there their the thats today told tooo tracking us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try tried retired resume resubscribe news of notified nothing nonsense nonesence non nice next newest monthly needed need my must multiple moving moved move off offer offset often out our others other original or option opportunity opening opened ontario only oneday one once on ok months month restriction long luck loyalty your lower lost losing loose looking lol monetary locations location ll living live little limiting limited made make makes making moment mom mistake mind might merge memberships membership members member medical means may married market many manservices outside over own raise reality reactivate re rather rates rate raises raised quickly owner quality putting put pushed provider profits profit profiles really reason recent
Topic 11 | Coherence=-221364.69 | Top words= price increase is the and too was paying what greedy keep am for ridiculous why quality be should service last anymore much your less creep done this after more constant blindly willing horrible half increases pay don since use charged becoming became customer additional garbage afford of member isnt reflect getting girl gouging offered think tracking twice loyal absurd increased high ya upping caring caused right worth good againlater gonna agree gone awhile going gotten goes go given give alarming got grandkids again addtional havent have has hardly hard happy hand had all hacking hackednot hacked guys adicional greed great gf gas get he almost fiance few feet fees feel fee fault far fan family already fair fact face extra extortion finally financial financially forth allow games future fuel from frequent free forever first forcing allowed food focused flat fixed fix having higher health job keeps keeping access justify just joint join jacking help account itself its it issues issue accounts kept kidding kids lack limit like life letting let lesser about legacy left leave learning layoff later acceptance laid isn acct iny hungry how households household house hosehold adding addition holder history addresses hiking hikes hike expenses her huge husband intolerable idea into interested instead inflation increments increasses increasing activities added income in improvements im ill if expensive every expected care charge changing changes changed change cell cared card charges cant cannot cancelling canceling cancel can bye anyways charging consolidating combining connected compromised competitive compared company coming come combine cheaper college climbing climb city choose choice checking by but business aunt as between better at benefits benefit being begin aparently before been automatically because away barely bank bf biannually biased biden buggin budget broke break boyfriend both apps are aren bit bills billings billing bill biggest consider any everything amercian due drive drastically drain down double dont amount each limiting doesnt do divorce disgusts disgusting discontinue duplicate earlier constantly end back even euro especially entertainment entertaining enough emails easily email elsewhere also else eliminating el edge disappointed direction different country current currency annually another credit covid courtesy costs differences cost continuous anticonsumer continues continue continually continously currently an customers cut didnt deteriorated delivering declined decisions death deal days day daughter date amounts damn dad cutting limited youre little spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped than support temporary temporarily taste talk taking take system switching summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger so situation single run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped return retiring seems seen selection sense signaling sign sight sick shoves shouldn short she sharing share shady several settled set servicio services series terrible thank live warrant were went well weeks week we way waste wants when wanted want waiting wait vs virtue value vaccine whats where thanks would youll you yet years yearly year yall wouldn workable while work wont won without with will wife who ut using uses throughout today to tired tipped times time tightening tight through users things thing they these there their thats that told tooo town tried used us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying try retired resume resubscribe news nothing not nonsense nonesence non no nice next newest now new never needed need my must multiple moving notified off restriction opened others other original or options option opportunity opening ontario offer only oneday one once on ok often offset moved move months losing making makes make made luck loyalty lower lost loose monthly looking longer long lol locations location ll living manservices many market married month money monetary moment mom mistake mind might merge memberships membership members medical means me maybe may our out outside raise reactivate re rather rates rate raising raises raised quickly prices putting put pushed provider profits profit profiles problem reality really reason recent
Topic 12 | Coherence=-218233.43 | Top words= to and my different you want me the cancel of will in that since be live mom membership service restrict with places country currency two location moved current changed even how subscriptions going fair go emails double payment boyfriend using wants same its replace cheaper gf ontario accounts pick allow caused opening gas rectifying provider goes garbage future games gone gonna greedy got greed get gouging getting great girl give gotten given grandkids fuel good fixed from fault fan family fact face extra extortion expensive expenses expected everything every euro especially entertainment entertaining enough end far fee frequent feel free forth forever forcing for food focused flat fix first financially financial finally fiance few feet fees guys youre hacked issues justify just joint join job jacking itself it issue increments isnt isn is iny intolerable into interested instead keep keeping keeps kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding inflation increasses hackednot havent hike higher high her help health email having have increasing has hardly hard happy hand half had hacking hikes hiking history holder increases increased increase income improvements im ill if idea husband hungry huge households household house hosehold horrible he down elsewhere been bf between better benefits benefit being begin before becoming biased because became barely bank back awhile away automatically biannually biden cant budget cancelling canceling can bye by but business buggin broke biggest break both blindly bit bills billings billing bill aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct account access acceptance absurd about agree alarming all allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cannot card else deal direction differences didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting care drive eliminating el edge easily earlier each duplicate due drastically disgusts drain limited dont done don doesnt do divorce customer currently creep charging combine college climbing climb city choose choice checking charges credit charged charge changing changes change cell caring cared combining come coming company covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limit loyal limiting start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid their taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscription subscribers subscriber something someone some scales sense selection seen seems see secure second scaling saving so save run rules rule rotating rising risen rise series services servicio set situation single significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled thats there little way whats what were went well weeks week we waste where was warrant wanted waiting wait vs virtue value when while these would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing wife why vaccine ut uses time town tooo too told today tired tipped times tightening users tight throughout through this think things thing they tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice ripped right ridiculous nice now notified nothing not nonsense nonesence non no next offer news newest new never needed need must multiple off offered return option outside out our others other original or options opportunity offset opened only oneday one once on ok often much moving move lost making makes make made luck loyalty your lower losing more loose looking longer long lol locations ll living manservices many market married months monthly month money monetary moment mistake mind might merge memberships members member medical means maybe may over overpriced own raising reason really reality reactivate re rather rates rate raises profiles raised raise quickly quality putting put pushed profits recent recently recession redo
Topic 13 | Coherence=-221740.49 | Top words= price the continues increases with to have me in climb no benefit as other services added and prices customer more this up has addtional youll stop months new go upcoming back rise over sight pushed edge time two amount short end tired gotten pagos adicional servicio por family el broke covid currently reside use limited same keep kidding town benefits fees save disgusts because people later layoff flat lack fixed fix focused food for last learning laid forcing increasing kids forever forth give girl gf getting get gas garbage kept games future fuel from frequent financially free first few financial even expensive expenses expected everything every let euro extra especially entertainment letting life entertaining enough extortion face finally fee fiance keeps leave left feet feel fault fact far legacy less fan lesser fair given going goes hungry isn isnt how households issue issues household house hosehold it horrible holder its history hiking huge is increasses husband increments inflation instead interested increased increase income into improvements intolerable iny im ill if idea hikes hike itself higher hacked guys greedy greed joint great grandkids just gouging justify keeping got good gonna gone join hackednot hacking emails high her help health he having jacking had job hardly hard happy hand half havent youre email being bill biggest biden biased biannually bf between better begin cared before been becoming became be barely bank awhile billing billings bills bit card cant cannot cancelling canceling cancel can bye by but business buggin budget break boyfriend both blindly away automatically aunt all agree againlater again after afford addresses additional addition adding activities acct accounts account access acceptance absurd about alarming allow at allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amercian am also already almost care caring elsewhere death direction different differences didnt deteriorated delivering declined decisions deal caused days day daughter date damn dad cutting cut disappointed discontinue disgusting divorce else eliminating easily earlier each duplicate due drive drastically drain down double dont done don like do customers current currency come combine college climbing city choose choice checking cheaper charging charges charged charge changing changes changed change cell combining coming creep company credit courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared doesnt loyal limit squeeze stopped stepdad stealing stay states starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid limiting take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone some so rules seems see secure second scaling scales saving run rule situation rotating rising risen ripped right ridiculous return retiring seen selection sense series single since significant signaling sign sick shoves shouldn should she sharing share shady several settled set service thanks that thats week where when whats what were went well weeks we vs way waste was warrant wants wanted want waiting while who why wife you yet years yearly year yall ya wouldn would worth workable work wont won without willing will wait virtue their tightening tried tracking tooo too told today tipped times tight value throughout through think things thing they these there try trying twice unable vaccine ut using uses users used us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under retired resume resubscribe never not nonsense nonesence non nice next news newest needed month need my must multiple much moving moved move nothing notified now of options option opportunity opening opened ontario only oneday one once on ok often offset offered offer off monthly money original looking made luck loyalty your lower lost losing loose longer monetary long lol locations location ll living live little make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many or others restriction raise reactivate re rather rates rate raising raises raised quickly president quality putting put provider profits profit profiles problem reality really reason recent
Topic 14 | Coherence=-231549.47 | Top words= it can afford this the time my you now as at use just by not months many but right moved job in last using see month high lost am think money possible first too willing again way cant other let didnt cancel start me much mistake duplicate don opened pay never apps we upping longer cannot subscription interested trying drain any tight rising stupid spending good bill new stopping seems games gf gotten gouging grandkids great greed future got gone gonna going garbage goes go given give gas girl get getting fuel fix from frequent fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining far fault fee flat free forth forever forcing for food focused fixed feel financially financial finally fiance few feet fees greedy youre guys intolerable its issues issue isnt isn is iny into jacking instead inflation increments increasses increasing increases increased itself join hacked laid less legacy left leave learning layoff later lack joint kids kidding kept keeps keeping keep justify increase income improvements has her help health he having havent have hardly im hard happy hand half had hacking hackednot higher hike end hikes ill if idea husband hungry huge how households household house hosehold horrible holder history hiking enough do emails being biden biased biannually bf between better benefits benefit begin awhile before been becoming because became be barely bank biggest billing billings bills caused caring cared care card cancelling canceling bye business buggin budget broke break boyfriend both blindly bit back away email adding agree againlater after adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about alarming all allow allowed aunt aren are aparently anyways anymore anticonsumer another annually and an amounts amount amercian also already almost cell change changed deal direction different differences deteriorated delivering declined decisions death days changes day daughter date damn dad cutting cut customers disappointed discontinue disgusting disgusts elsewhere else eliminating el edge easily earlier each due drive drastically down double dont done doesnt divorce customer currently current compared coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing company competitive currency compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected lesser loyal letting spend stealing stay states starting started squeeze spouses spouse span since sorry soon son something someone some so situation stepdad stop stopped stranger than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub single significant life rules secure second scaling scales saving save same run rule signaling rotating risen rise ripped ridiculous return retiring retired seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service thank thanks that week where when whats what were went well weeks waste thats was warrant wants wanted want waiting wait vs while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with will virtue value vaccine tried town tooo told today to tired tipped times tightening throughout through things thing they these there their tracking try ut twice uses users used us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two resume resubscribe restriction nice off of notified nothing nonsense nonesence non no next overpriced news newest needed need must multiple moving move offer offered offset often outside out our others original or options option opportunity opening ontario only oneday one once on ok more monthly monetary luck your lower losing loose looking long lol locations location ll living live little limiting limited limit like loyalty made moment make mom mind might merge memberships membership members member medical means maybe may married market manservices making makes over own restrict raise reactivate re rather rates rate raising raises raised quickly owner quality putting put pushed provider profits profit profiles reality really reason
Topic 15 | Coherence=-221128.96 | Top words= and too many charges new raised greedy prices you terrible addition increasing your pricing fees anymore added of worth just gotten expensive not on rules times out have raise year adding is rates expenses focused customers aren system town workable months holder cutting unnecessary account nothing easily death really secure hackednot back people retiring service gone cut greed games great gf future fuel good got gonna garbage gouging girl from goes gas get getting go given grandkids give going youre frequent expected fan family fair fact face extra extortion everything free every even euro especially entertainment entertaining enough far fault fee feel forth forever forcing for food flat fixed fix first guys financial finally fiance few feet financially having hacked keeps keep justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested keeping kept inflation kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids instead increments hacking history hikes hike higher high her help health he emails havent has hardly hard happy hand half had hiking horrible increasses hosehold increases increased increase income in improvements im ill if idea husband hungry huge how households household house end drain email benefits bill biggest biden biased biannually bf between better benefit billings being begin before been becoming because became be billing bills bank by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly barely awhile elsewhere addtional all alarming agree againlater again after afford adicional addresses allowed additional activities acct accounts access acceptance absurd about allow almost away any automatically aunt at as are apps aparently anyways anticonsumer already another annually an amounts amount amercian am also care cared caring decisions disappointed direction different differences didnt deteriorated delivering declined deal disgusting days day daughter date damn dad customer currently discontinue disgusts caused drive else eliminating el edge earlier each duplicate due drastically divorce limiting down double dont done don doesnt do current currency creep checking combining combine college climbing climb city choose choice cheaper credit charging charged charge changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limited loyal little started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub their talk thats that thanks thank than temporary temporarily taste taking subscriber take switching support summer success subscriptions subscription subscribers son something someone scaling services series sense selection seen seems see second scales some saving save same run rule rotating rising risen servicio set settled several so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady the there live waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where these work youll yet years yearly yall ya wouldn would wont while won without with willing will wife why who value vaccine ut time tried tracking tooo told today to tired tipped tightening using tight throughout through this think things thing they try trying twice two uses users used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under unable rise ripped right news now notified nonsense nonesence non no nice next newest offer never needed need my must multiple much moving off offered ridiculous opportunity outside our others other original or options option opening offset opened ontario only oneday one once ok often moved move more losing making makes make made luck loyalty lower lost loose monthly looking longer long lol locations location ll living manservices market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe over overpriced own rate recession recently recent reason reality reactivate re rather raising profiles raises quickly quality putting put pushed provider profits rectifying redo reduce reducing
Topic 16 | Coherence=-225694.02 | Top words= dont married my to that tried shady offer like subscription raised fact once pay almost cancel and need price also used the got hacked don subscriptions your you two husband memberships getting wife have too her now own was hard today fault has notified recently after fix using someone consolidating keeps share virtue hacking accounts signaling several political weeks spouses worth acct combining keep many users discontinue feet boyfriend stealing increasing lol gotten get especially euro entertainment gf entertaining enough girl few give fair family end emails given far go email goes going gone gonna elsewhere even gas every expenses finally financial financially first good fixed extra flat focused food extortion for forcing expensive expected fee everything forever fees face forth free frequent fan fuel future games garbage fiance feel from youre gouging iny its it issues issue isnt isn is intolerable jacking into interested instead inflation increments increasses increases itself job grandkids laid legacy left leave learning layoff later last lack join kids kidding kept keeping justify just joint increased increase income happy high help health he else havent hardly hand in half had hackednot guys greedy greed great higher hike hikes hiking improvements im ill if idea hungry huge how households household house hosehold horrible holder history having disgusts eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill el business cant cannot cancelling canceling can bye by but buggin billing budget broke break both blindly bit bills billings awhile away automatically additional alarming agree againlater again afford adicional addtional addresses addition aunt adding added activities account access acceptance absurd about all allow allowed already at as aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am card care cared day didnt deteriorated delivering declined decisions death deal days daughter currency date damn dad cutting cut customers customer currently differences different direction disappointed edge easily earlier each duplicate due drive drastically drain down double done doesnt do divorce lesser disgusting current creep caring charging college climbing climb city choose choice checking cheaper charges credit charged charge changing changes changed change cell caused combine come coming company covid courtesy country costs cost continuous continues continue continually continously constantly constant consider connected compromised competitive compared less loyal let span states starting started start squeeze spouse spending spend sorry sign soon son something some so situation single since stay stepdad stop stopped temporary temporarily taste talk taking take system switching support summer success subscribers subscriber sub stupid stranger stopping significant sight letting risen saving save same run rules rule rotating rising rise sick ripped right ridiculous return retiring retired resume resubscribe scales scaling second secure shoves shouldn should short she sharing settled set servicio services service series sense selection seen seems see terrible than thank way when whats what were went well week we waste thanks warrant wants wanted want waiting wait vs value where while who why youll yet years yearly year yall ya wouldn would workable work wont won without with willing will vaccine ut uses tooo tired tipped times time tightening tight throughout through this think things thing they these there their thats told town use tracking us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try restriction restrict restart needed non no nice next news newest new never must other multiple much moving moved move more months monthly nonesence nonsense not nothing or options option opportunity opening opened ontario only oneday one on ok often offset offered off of month money monetary luck lower lost losing loose looking longer long locations location ll living live little limiting limited limit life loyalty made moment make mom mistake mind might merge membership members member medical means me maybe may market manservices making makes original others respect put rates rate raising raises raise quickly quality putting pushed our provider profits profit profiles problem pricing prices president rather re reactivate
Topic 17 | Coherence=-221667.24 | Top words= be and back my on to will subscription money break use taking just when in ll different two can we live won don time able both addresses want of the for another bit saving spend got get payday own spending ill card laid come declined broke repurposing im next summer cutting might awhile feet monetary less service combining platform layoff reactivate never too cant kidding games entertainment getting especially gas garbage extortion future gf fuel from frequent free euro entertaining girl forever legacy enough gouging learning leave gotten left good give gonna gone going goes go given forth forcing even letting face fact fair life family fan far fault expensive fee feel expenses fees expected few extra fiance let finally financial everything financially first grandkids fixed flat focused food every lesser fix issue great increase jacking job join improvements joint if idea husband hungry justify huge how households keep household income increased house increases isn is iny intolerable into issues interested it instead inflation its increments increasses itself increasing keeping keeps greed having have has later hardly hard happy hand half had hacking hackednot hacked isnt guys greedy havent he hosehold health kept horrible holder history hiking kids hikes lack hike higher high emails her help last end done email before biannually bf between better benefits benefit being begin been caused becoming because became barely bank away automatically aunt biased biden biggest bill cared care cannot cancelling canceling cancel bye by but business buggin budget boyfriend blindly bills billings billing at as aren agree again after afford adicional addtional additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming are all apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed allow caring cell elsewhere death discontinue disappointed direction differences didnt deteriorated delivering decisions deal change days day daughter date damn dad cut customers disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont limit doesnt customer currently current compared coming combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed company competitive currency compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected like youre limited spouses stepdad stealing stay states starting started start squeeze spouse stopped span sorry soon son something someone some so stop stopping retiring take thanks thank than terrible temporary temporarily taste talk system stranger switching support success subscriptions subscribers subscriber sub stupid situation single since run seems see secure second scaling scales save same rules significant rule rotating rising risen rise ripped right ridiculous seen selection sense series signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services that thats their way where whats what were went well weeks week waste vaccine was warrant wants wanted waiting wait vs virtue while who why wife youll you yet years yearly year yall ya wouldn would worth workable work wont without with willing value ut there tightening tracking town tooo told today tired tipped times tight using throughout through this think things thing they these tried try trying twice uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retired limiting nice now notified nothing not nonsense nonesence non no news offer newest new needed need must multiple much moving off offered resume opportunity out our others other original or options option opening offset opened ontario only oneday one once ok often moved move more losing makes make made luck loyalty your lower lost loose months looking longer long lol locations location living little making manservices many market monthly month moment mom mistake mind merge memberships membership members member medical means me maybe may married outside over overpriced raised really reality re rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 18 | Coherence=-218092.90 | Top words= to is just my after it subscription have pay charge was but raising not that so greedy prices starting additional profiles profit last bill ill do year an compromised because card charged automatically bank option without credit told wanted allowed for think youre keep rising take used opening yall worth pleased anymore gonna given guys greed games great grandkids garbage future gouging gone gotten gas get getting going go gf girl got good give goes flat fuel from fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end far fault fee fixed frequent free forth forever forcing food focused hackednot fix feel first financially financial finally fiance few feet fees hacked he hacking kept keeping justify joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead keeps kidding had kids limiting limited limit like life letting let lesser less legacy left leave learning layoff later laid lack inflation increments increasses increasing hiking hikes hike higher high her help health email having havent has hardly hard happy hand half history holder horrible if increases increased increase income in improvements im idea hosehold husband hungry huge how households household house emails done elsewhere benefit biggest biden biased biannually bf between better benefits being away begin before been becoming became be barely back billing billings bills bit care cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly awhile aunt caring adding agree againlater again afford adicional addtional addresses addition added at activities acct accounts account access acceptance absurd about alarming all allow almost as aren are apps aparently anyways any anticonsumer another annually and amounts amount amercian am also already cared caused else decisions disappointed direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain down double dont live don doesnt cut customer cell choose coming come combining combine college climbing climb city choice currently checking cheaper charging charges changing changes changed change company compared competitive connected current currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider little loyal living spouse stepdad stealing stay states started start squeeze spouses spending stopped spend span sorry soon son something someone some stop stopping single system thank than terrible temporary temporarily taste talk taking switching stranger support summer success subscriptions subscribers subscriber sub stupid situation since ll same seems see secure second scaling scales saving save run selection rules rule rotating risen rise ripped right ridiculous seen sense significant she signaling sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services service thanks thats the waste what were went well weeks week we way warrant when wants want waiting wait vs virtue value vaccine whats where their workable youll you yet years yearly ya wouldn would work while wont won with willing will wife why who ut using uses tightening town tooo too today tired tipped times time tight users throughout through this things thing they these there tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice return retiring retired newest nothing nonsense nonesence non no nice next news new now never needed need must multiple much moving moved notified of out only others other original or options opportunity opened ontario oneday off one once on ok often offset offered offer move more months lower manservices making makes make made luck loyalty your lost monthly losing loose looking longer long lol locations location many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe our outside resume raised really reality reactivate re rather rates rate raises raise recent quickly quality putting put pushed provider profits problem reason recently over replace resubscribe
Topic 19 | Coherence=-217680.11 | Top words= will you are this again it me email consider not if fact good only back come issue give makes the want forever bye reactivate rectifying never that take months before when start other for care business paying things first of constantly just elsewhere rate need changing canceling resume thats bank next preemptively done hike restart under workable may new got squeeze yet increase rates girl games gotten future gouging fuel garbage gonna gas let given get gone going goes getting go gf from later frequent fan fair letting face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end family far free fault forth forcing food focused flat fixed fix great financially financial finally fiance few feet fees feel fee grandkids has greed greedy isn is iny intolerable into interested left instead inflation increments increasses increasing increases increased income in improvements isnt issues leave keeping laid lack kids kidding kept keeps layoff keep its justify joint join job jacking itself learning im ill legacy hard emails he having havent have last hardly happy help hand half had hacking hackednot hacked guys health her idea house husband hungry huge how households household less hosehold high horrible holder history hiking lesser hikes higher youre down else been biannually bf between better benefits benefit being begin becoming biden because became be barely awhile away automatically aunt biased biggest eliminating budget cant cannot cancelling cancel can by but buggin broke bill break boyfriend both blindly bit bills billings billing at as aren adding againlater after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about agree alarming all allow aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed card cared caring death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain like double dont don doesnt do divorce customers currently caused checking combining combine college climbing climb city choose choice cheaper current charging charges charged charge changes changed change cell coming company compared competitive currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating connected compromised life loyal limit spouse stop stepdad stealing stay states starting started spouses spending stopping spend span sorry soon son something someone some stopped stranger limited system thank than terrible temporary temporarily taste talk taking switching stupid support summer success subscriptions subscription subscribers subscriber sub so situation single saving selection seen seems see secure second scaling scales save since same run rules rule rotating rising risen rise sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thanks their there waste what were went well weeks week we way was ut warrant wants wanted waiting wait vs virtue value whats where while who youll years yearly year yall ya wouldn would worth work wont won without with willing wife why vaccine using these tipped tracking town tooo too told today to tired times uses time tightening tight throughout through think thing they tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two ripped right ridiculous news now notified nothing nonsense nonesence non no nice newest monthly needed my must multiple much moving moved move off offer offered offset out our others original or options option opportunity opening opened ontario oneday one once on ok often more month over longer luck loyalty your lower lost losing loose looking long money lol locations location ll living live little limiting made make making manservices monetary moment mom mistake mind might merge memberships membership members member medical means maybe married market many outside overpriced return raise reason really reality re rather raising raises raised quickly pricing quality putting put pushed provider profits profit profiles recent recently recession redo
Topic 20 | Coherence=-217242.19 | Top words= too price for year long you much to raised the your way has not keeps high nonsense changing been benefits will renewing while this rate months entertaining each offset cost increasses cancel be biannually ill seems consider or far quickly risen are throughout history workable raises options second ridiculous fees system prescription rising tooo other given goes sick hackednot rectifying got frequent forth free going get go from good gone fuel future games garbage gonna give girl gf getting gas youre forever forcing face extra extortion expensive expenses expected everything every even euro especially entertainment enough end emails email elsewhere fact fair family gouging food focused flat fixed fix first financially financial fan finally fiance few feet feel fee fault gotten hardly grandkids joint job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments join just increases justify let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeping keep increasing increased great higher help health he having havent have eliminating hard happy hand half had hacking hacked guys greedy greed her hike increase hikes income in improvements im if idea husband hungry huge how households household house hosehold horrible holder hiking else done el becoming biased bf between better benefit being begin before because biggest became barely bank back awhile away automatically aunt biden bill as buggin cannot cancelling canceling can bye by but business budget billing broke break boyfriend both blindly bit bills billings at aren edge adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming apps an aparently anyways anymore any anticonsumer another annually and amounts all amount amercian am also already almost allowed allow cant card care day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction cared double easily earlier duplicate due drive drastically drain down dont disappointed life don doesnt do divorce disgusts disgusting discontinue current currency creep charging college climbing climb city choose choice checking cheaper charges credit charged charge changes changed change cell caused caring combine combining come coming covid courtesy country costs continuous continues continue continually continously constantly constant consolidating connected compromised competitive compared company letting loyal like start stopped stop stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stopping stranger stupid sub thank than terrible temporary temporarily taste talk taking take switching support summer success subscriptions subscription subscribers subscriber something some that saving series sense selection seen see secure scaling scales save so same run rules rule rotating rise ripped right service services servicio set situation single since significant signaling sign sight shoves shouldn should short she sharing share shady several settled thanks thats retiring was what were went well weeks week we waste warrant ut wants wanted want waiting wait vs virtue value whats when where who youll yet years yearly yall ya wouldn would worth work wont won without with willing wife why vaccine using their time tried tracking town told today tired tipped times tightening uses tight through think things thing they these there try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retired limit needed non no nice next news newest new never need money my must multiple moving moved move more monthly nonesence nothing notified now original option opportunity opening opened ontario only oneday one once on ok often offered offer off of month monetary our longer made luck loyalty lower lost losing loose looking lol moment locations location ll living live little limiting limited make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many others out resume putting reality reactivate re rather rates raising raise quality put prefer pushed provider profits profit profiles problem pricing prices really reason recent recently
Topic 21 | Coherence=-229326.75 | Top words= price and we is the subscription where will your too many you increases now access why increments luck checking in canceling am be greed my good change different have pay ridiculous upcoming are fee anticonsumer locations use to subscriptions new moving constant just off consolidating reducing expenses fiance laid their often how loose lol monthly ontario buggin bills unneeded afford location before eliminating ll multiple much may our great grandkids greedy get guys gas go getting goes gf girl gouging gotten got garbage give gone given going gonna youre games extra feel fault far fan family fair fact face extortion future expensive expected everything every even euro especially entertainment fees feet few finally fuel from frequent free forth forever forcing for food focused hackednot flat fixed fix first financially financial hacked holder hacking justify join job jacking itself its it issues issue isnt isn iny intolerable into interested instead joint keep had keeping let lesser less legacy left leave learning layoff later last lack kids kidding kept keeps inflation increasses increasing increased hike higher high her help health he having havent has hardly hard happy hand half hikes hiking history idea increase income improvements im ill if husband horrible hungry huge households household house hosehold entertaining drain enough benefits bill biggest biden biased biannually bf between better benefit billings being begin been becoming because became barely bank billing bit awhile can caring cared care card cant cannot cancelling cancel bye blindly by but business budget broke break boyfriend both back away end addition agree againlater again after adicional addtional addresses additional adding all added activities acct accounts account acceptance absurd about alarming allow automatically any aunt at as aren apps aparently anyways anymore another allowed annually an amounts amount amercian also already almost caused cell changed delivering disgusts disgusting discontinue disappointed direction differences didnt deteriorated declined do decisions death deal days day daughter date damn divorce doesnt changes each emails email elsewhere else el edge easily earlier duplicate don due drive drastically life down double dont done dad cutting cut climb compared company coming come combining combine college climbing city customers choose choice cheaper charging charges charged charge changing competitive compromised connected consider customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly letting loyal like squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber sub someone so that scaling series sense selection seen seems see secure second scales situation saving save same run rules rule rotating rising service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled thanks thats limit waste whats what were went well weeks week way was vaccine warrant wants wanted want waiting wait vs virtue when while who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut there tightening town tooo told today tired tipped times time tight using throughout through this think things thing they these tracking tried try trying uses users used us upward upping up until unnecessary unfortunately unfair unemployed understand under unable two twice risen rise ripped not on ok offset offered offer of notified nothing nonsense need nonesence non no nice next news newest never once one oneday only pagos owning owner own overpriced over outside out others other original or options option opportunity opening opened needed must right lost market manservices making makes make made loyalty lower losing moved looking longer long living live little limiting limited married maybe me means move more months month money monetary moment mom mistake mind might merge memberships membership members member medical parent parents passed rather recession recently recent reason really reality reactivate re rates past rate raising raises raised raise quickly quality putting rectifying redo reduce
Topic 22 | Coherence=-220438.48 | Top words= price to not the increase for worth is me currently enough used up expensive are just choice subscriber lost be especially shoves nice keeping willing make so iny face pop this something options use support forcing great household limiting cost only happy spending justify charge rules can cant out paying agree single profits budget company weeks living fault value give fact many hike issue getting entertaining get entertainment gf girl end good given go grandkids got goes email going euro gone gonna gotten emails gouging feel gas fan focused family fixed fix first financially financial food finally fiance far fee few feet fair extra garbage fuel games future fees even every everything from extortion expected frequent expenses free forth forever flat have greed increases joint join job jacking itself its it issues isnt isn intolerable into interested instead inflation increments increasses keep keeps kept left like life letting let lesser less legacy leave kidding learning layoff later last laid lack kids increasing increased greedy income her help health he having havent else has hardly hard hand half had hacking hackednot hacked guys high higher hikes hungry in improvements im ill if idea husband huge hiking how households house hosehold horrible holder history elsewhere youre eliminating been bf between better benefits benefit being begin before becoming biased because became barely bank back awhile away automatically biannually biden at broke cancelling canceling cancel bye by but business buggin break biggest boyfriend both blindly bit bills billings billing bill aunt as el adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about againlater all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot card care deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue cared drain edge easily earlier each duplicate due drive drastically down disgusting double dont limit don doesnt do divorce disgusts customer current currency charging combine college climbing climb city choose checking cheaper charges creep charged changing changes changed change cell caused caring combining come coming compared credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive done loyal limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spend span sorry soon son someone stopping stupid retiring talk that thanks thank than terrible temporary temporarily taste taking sub take system switching summer success subscriptions subscription subscribers some situation since same seems see secure second scaling scales saving save run significant rule rotating rising risen rise ripped right ridiculous seen selection sense series signaling sign sight sick shouldn should short she sharing share shady several settled set servicio services service thats their there we where when whats what were went well week way virtue waste was warrant wants wanted want waiting wait while who why wife youll you yet years yearly year yall ya wouldn would workable work wont won without with will vs vaccine these times tracking town tooo too told today tired tipped time ut tightening tight throughout through think things thing they tried try trying twice using uses users us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired little news now notified nothing nonsense nonesence non no next newest off new never needed need my must multiple much of offer resume opening outside our others other original or option opportunity opened offered ontario oneday one once on ok often offset moving moved move losing manservices making makes made luck loyalty your lower loose more looking longer long lol locations location ll live market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means over overpriced own raising reason really reality reactivate re rather rates rate raises profiles raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 23 | Coherence=-220239.96 | Top words= price has your or like and after are increasing far the company options other consider biannually ill entertaining seems hike prices many increases much it since that gone member selection you in of up span drastically have was deteriorated months just sorry oneday earlier went multiple cannot get stupid annually stopping stopped billings being loyal users our tracking house allowed would places subscriptions absurd membership terrible got gas gotten garbage gouging getting games given gonna good gf going girl goes go give future fixed fuel expenses fan family fair fact face extra extortion expensive expected fee everything every even euro especially entertainment enough end fault feel from flat frequent free forth forever forcing for food focused great fees fix first financially financial finally fiance few feet grandkids having greed issue joint join job jacking itself its issues isnt keep isn is iny intolerable into interested instead justify keeping increments learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept inflation increasses greedy hard her help health he email havent hardly happy higher hand half had hacking hackednot hacked guys high hikes increased hungry increase income improvements im if idea husband huge hiking how households household hosehold horrible holder history emails don elsewhere begin biggest biden biased bf between better benefits benefit before away been becoming because became be barely bank back bill billing bills bit card cant cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly awhile automatically cared addition agree againlater again afford adicional addtional addresses additional adding aunt added activities acct accounts account access acceptance about alarming all allow almost at as aren apps aparently anyways anymore any anticonsumer another an amounts amount amercian am also already care caring else days different differences didnt delivering declined decisions death deal day current daughter date damn dad cutting cut customers customer direction disappointed discontinue disgusting eliminating el edge easily each duplicate due drive drain down double dont done doesnt do divorce disgusts currently currency caused cheaper combine college climbing climb city choose choice checking charging creep charges charged charge changing changes changed change cell combining come coming compared credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected compromised competitive life youre limit spouses stepdad stealing stay states starting started start squeeze spouse stranger spending spend soon son something someone some so stop sub limited talk their thats thanks thank than temporary temporarily taste taking subscriber take system switching support summer success subscription subscribers situation single significant rules secure second scaling scales saving save same run rule signaling rotating rising risen rise ripped right ridiculous return see seen sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service there these they we where when whats what were well weeks week way value waste warrant wants wanted want waiting wait vs while who why wife youll yet years yearly year yall ya wouldn worth workable work wont won without with willing will virtue vaccine thing tipped tried town tooo too told today to tired times ut time tightening tight throughout through this think things try trying twice two using uses used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring retired resume news nothing not nonsense nonesence non no nice next newest more new never needed need my must moving moved notified now off offer outside out others original option opportunity opening opened ontario only one once on ok often offset offered move monthly overpriced longer made luck loyalty lower lost losing loose looking long month lol locations location ll living live little limiting make makes making manservices money monetary moment mom mistake mind might merge memberships members medical means me maybe may married market over own resubscribe raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
Topic 24 | Coherence=-218223.47 | Top words= in one other with only subscriptions the need so have and better extra moved more two dont we price having entertainment house fuel finally direction scales continually cut tipped on rise subscription costs back goes significant fees selection boyfriend households needed household added combine than remarried been raising aparently merge monthly charges really constantly changes continues policy climb fiance alarming thanks forever euro expenses give financially given focused go expected everything every going even gone extortion gonna good first got gotten gouging flat grandkids especially entertaining enough great greed expensive girl forth games greedy financial forcing free few feet frequent feel for from fee future garbage face fault gas far fan family get fair fixed fact getting gf food fix youre guys its keep justify just joint join job jacking itself it hacked issues issue isnt isn is iny intolerable into keeping keeps kept kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids interested instead inflation hiking hike higher high her help health he end has hardly hard happy hand half had hacking hackednot hikes history increments holder increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how hosehold horrible havent down emails begin biden biased biannually bf between benefits benefit being before aunt becoming because became be barely bank awhile away biggest bill billing billings cannot cancelling canceling cancel can bye by but business buggin budget broke break both blindly bit bills automatically at email addition againlater again after afford adicional addtional addresses additional adding as activities acct accounts account access acceptance absurd about agree all allow allowed aren are apps anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cant card care declined disgusting discontinue disappointed different differences didnt deteriorated delivering decisions cared death deal days day daughter date damn dad disgusts divorce do doesnt elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain limiting double done don cutting customers customer coming combining college climbing city choose choice checking cheaper charging charged charge changing changed change cell caused caring come company currently compared current currency creep credit covid courtesy country cost continuous continue continously constant consolidating consider connected compromised competitive limited loyal little starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber thing temporarily these there their thats that thank terrible temporary taste subscribers talk taking take system switching support summer success soon son something scaling service series sense seen seems see secure second saving someone save same run rules rule rotating rising risen services servicio set settled some situation single since signaling sign sight sick shoves shouldn should short she sharing share shady several they things right week where when whats what were went well weeks way who waste was warrant wants wanted want waiting wait while why think wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vs virtue value today trying try tried tracking town tooo too told to vaccine tired times time tightening tight throughout through this twice unable under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed ripped ridiculous live nice now notified nothing not nonsense nonesence non no next off news newest new never my must multiple much of offer own option over outside out our others original or options opportunity offered opening opened ontario oneday once ok often offset moving move months losing makes make made luck loyalty your lower lost loose month looking longer long lol locations location ll living making manservices many market money monetary moment mom mistake mind might memberships membership members member medical means me maybe may married overpriced owner return raises recent reason reality reactivate re rather rates rate raised recession raise quickly quality putting put pushed provider profits recently rectifying owning residence retiring
Topic 25 | Coherence=-220292.87 | Top words= subscription the and your have you are my with away passed do anymore life more of higher who rates forcing thing than same others up face pop increase iny make recent limited especially keeping nice shoves account currently in choice bye talk lost owner paying had this using she has subscriber poland mom live amercian news financial sub disappointed so parent owning but now enough im another aunt person situation changed high opened aparently stranger future next phone where given give fair extra family fan fact got extortion expensive expenses go goes going expected everything gone every even gonna euro entertainment girl fault gf games for focused flat forever fixed forth free frequent fix from first fuel financially far garbage finally gas fiance get few feet getting fees feel fee food good youre gotten intolerable its it issues issue isnt isn is into income interested instead inflation increments increasses increasing increases itself jacking job join leave learning layoff later last laid lack kids kidding kept keeps keep justify just joint increased improvements gouging half he having havent hardly hard happy hand hacking ill hackednot hacked guys greedy greed great grandkids health help her hike if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes entertaining dont end better billing bill biggest biden biased biannually bf between benefits bills benefit being begin before been becoming because became billings bit barely cancel caring cared care card cant cannot cancelling canceling can blindly by business buggin budget broke break boyfriend both be bank emails addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts access acceptance absurd about agree all back anticonsumer awhile automatically at as aren apps anyways any annually allow an amounts amount am also already almost allowed caused cell change declined disgusting discontinue direction different differences didnt deteriorated delivering decisions divorce death deal days day daughter date damn dad disgusts doesnt changes each email elsewhere else eliminating el edge easily earlier duplicate don due drive drastically drain down double legacy done cutting cut customers climb compared company coming come combining combine college climbing city customer choose checking cheaper charging charges charged charge changing competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating left loyal less squeeze stop stepdad stealing stay states starting started start spouses these spouse spending spend span sorry soon son something stopped stopping stupid subscribers their thats that thanks thank terrible temporary temporarily taste taking take system switching support summer success subscriptions someone some single selection seems see secure second scaling scales saving save run rules rule rotating rising risen rise ripped right seen sense since series significant signaling sign sight sick shouldn should short sharing share shady several settled set servicio services service there they lesser way whats what were went well weeks week we waste things was warrant wants wanted want waiting wait vs when while why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will virtue value vaccine trying tried tracking town tooo too told today to tired tipped times time tightening tight throughout through think try twice ut two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous return retiring need nonsense nonesence non no newest new never needed must retired multiple much moving moved move months monthly month not nothing notified off original or options option opportunity opening ontario only oneday one once on ok often offset offered offer money monetary moment luck lower losing loose looking longer long lol locations location ll living little limiting limit like letting let loyalty made mistake makes mind might merge memberships membership members member medical means me maybe may married market many manservices making other our out recession reason really reality reactivate re rather rate raising raises raised raise quickly quality putting put pushed provider recently rectifying profit
Topic 26 | Coherence=-214683.39 | Top words= extra it when going and is up your about to the am this anyways keeps daughter fixed times income college amount sign started she worth uses ut re was just on bye be charge non retired membership fee garbage guys free gas hacked games frequent get from fuel future hacking hackednot good getting greedy greed gf girl give given grandkids gouging go goes gotten got gone gonna great youre forth euro face extortion expensive expenses expected everything every even especially forever entertainment entertaining enough end emails email elsewhere else fact fair family fan forcing for food focused flat fix had financially financial finally fiance few feet fees feel fault far first high half job kids kidding kept keeping keep justify joint join jacking interested itself its issues issue isnt isn iny intolerable lack laid last later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff into instead hand help holder history hiking hikes hike higher el her health inflation he having havent have has hardly hard happy horrible hosehold house household increments increasses increasing increases increased increase in improvements im ill if idea husband hungry huge how households eliminating dont edge begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank back awhile biden bill card buggin cannot cancelling canceling cancel can by but business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd agree alarming all allow as aren are apps aparently anymore any anticonsumer another annually an amounts amercian also already almost allowed cant care easily day didnt deteriorated delivering declined decisions death deal days date different damn dad cutting cut customers customer currently current differences direction cared double earlier each duplicate due drive drastically drain down location disappointed done don doesnt do divorce disgusts disgusting discontinue currency creep credit charging combine climbing climb city choose choice checking cheaper charges covid charged changing changes changed change cell caused caring combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared ll loyal locations lol stopped stop stepdad stealing stay states starting start squeeze spouses spouse spending spend span sorry soon son something someone stopping stranger stupid take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber some so situation same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense single short since significant signaling sight sick shoves shouldn should sharing series share shady several settled set servicio services service thanks that thats we where whats what were went well weeks week way who waste warrant wants wanted want waiting wait vs while why value wouldn youll you yet years yearly year yall ya would wife workable work wont won without with willing will virtue vaccine their tightening town tooo too told today tired tipped time tight tried throughout through think things thing they these there tracking try using unneeded users used use us upward upping upcoming until unnecessary trying unfortunately unfair unemployed understand under unable two twice ridiculous return retiring nonesence offer off of now notified nothing not nonsense no offset nice next news newest new never needed need offered often must options over outside out our others other original or option ok opportunity opening opened ontario only oneday one once my multiple own made may married market many manservices making makes make luck me loyalty lower lost losing loose looking longer long maybe means much monetary moving moved move more months monthly month money moment medical mom mistake mind might merge memberships members member overpriced owner resume raised really reality reactivate rather rates rate raising raises raise recent quickly quality putting put pushed provider profits profit reason recently problem replace resubscribe restriction
Topic 27 | Coherence=-221646.63 | Top words= you extra with of charging because my share out me raising without cant prices grandkids stay years are your keep elsewhere or constantly improvements services differences any sharing reason greed company gonna now cheaper waste disgusts card kept try much made increased hungry see profits tired anymore one long being rise forth forever free forcing focused for food flat fixed less lesser frequent future from fuel learning leave good left gone going goes go given legacy give girl gf getting get gas garbage games let fix join first fact limit extortion expensive limited expenses expected everything every even euro especially entertainment entertaining enough end face fair financially family financial finally gotten fiance few feet fees letting feel fee fault far fan life like got greedy gouging keeps justify keeping increasing increases increase income in im layoff ill if idea husband huge how kidding increasses increments inflation instead jacking itself its it joint issues issue isnt just isn is iny intolerable into interested households household house have laid hardly hard happy hand half had last later hacking hackednot hacked guys job great has havent hosehold having horrible holder history hiking hikes hike higher high her help health he kids emails lack youre drain email before biased biannually bf between better benefits benefit begin been biggest becoming became be barely bank back awhile away biden bill aunt buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically at else adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as an aren apps aparently anyways anticonsumer another annually and amounts all amount amercian am also already almost allowed allow cannot care cared deal direction different didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting caring drive eliminating el edge easily earlier each duplicate due drastically divorce little down double dont done don doesnt do customer currently current checking combining combine college climbing climb city choose choice charges currency charged charge changing changes changed change cell caused come coming compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised limiting loyal live states sub stupid stranger stopping stopped stop stepdad stealing starting subscribers started start squeeze spouses spouse spending spend span subscriber subscription there temporarily the thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success sorry soon son scaling service series sense selection seen seems secure second scales something saving save same run rules rule rotating rising servicio set settled several someone some so situation single since significant signaling sign sight sick shoves shouldn should short she shady their these ripped was what were went well weeks week we way warrant when wants wanted want waiting wait vs virtue value whats where they worth youll yet yearly year yall ya wouldn would workable while work wont won willing will wife why who vaccine ut using times tracking town tooo too told today to tipped time uses tightening tight throughout through this think things thing tried trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable risen right living no offer off notified nothing not nonsense nonesence non nice offset next news newest new never needed need must offered often owning options own overpriced over outside our others other original option ok opportunity opening opened ontario only oneday once on multiple moving moved lower market many manservices making makes make luck loyalty lost move losing loose looking longer lol locations location ll married may maybe means more months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical owner pagos ridiculous rates recession recently recent really reality reactivate re rather rate redo raises raised raise quickly quality putting put pushed rectifying reduce parent respect return
Topic 28 | Coherence=-233048.21 | Top words= prices keep only and raising increasing you price at for is time long like of rates it subscriber your customer we the loyalty feel being there alarming with no greedy going up will re us high enough were hiking means wouldn leave cared understand begin about if ll that what sharing this to year every company stop addition when damn on terrible by tired subscription these are opportunity support upping won restriction letting subscribers lost days playing continously huge mind yall amounts services games users access stranger business charges second please was limiting used lower pls happy jacking kidding wont higher do girl can forth even future free frequent from fuel feet euro especially entertainment garbage entertaining gas get getting gf end emails give forever forcing everything expected fees given fiance fee finally fault far financial fan financially family first fix fair fixed flat fact face focused extra extortion expensive food expenses few youre havent go goes instead inflation increments increasses increases increased increase income in improvements im ill idea husband hungry interested into intolerable join kept keeps keeping justify just joint job iny itself its issues issue isnt isn how households household great had hacking hackednot hacked guys greed grandkids hand gouging gotten got good gonna gone half hard house her hosehold horrible holder history hikes hike help hardly health he having elsewhere have has email deteriorated else bill biden biased biannually bf between better benefits benefit before been becoming because became be barely bank back biggest billing caring billings card cant cannot cancelling canceling cancel bye but buggin budget broke break boyfriend both blindly bit bills awhile away automatically aunt agree againlater again after afford adicional addtional addresses additional adding added activities acct accounts account acceptance absurd all allow allowed anticonsumer as aren apps aparently anyways anymore any another almost annually an amount amercian am also already care caused eliminating discontinue direction different differences didnt lack delivering declined decisions death deal day daughter date dad cutting cut customers disappointed disgusting cell disgusts el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt divorce currently current currency creep combining combine college climbing climb city choose choice checking cheaper charging charged charge changing changes changed change come coming compared continues credit covid courtesy country costs cost continuous continue competitive continually constantly constant consolidating consider connected compromised kids loyal laid soon something someone some so situation single since significant signaling sign sight sick shoves shouldn should short she son sorry summer span subscriptions sub stupid stopping stopped stepdad stealing stay states starting started start squeeze spouses spouse spending spend share shady several settled risen rise ripped right ridiculous return retiring retired resume resubscribe restrict restart respect residence reside repurposing replace rising rotating rule seems set servicio service series sense selection seen see rules secure scaling scales saving save same run success switching last weeks way waste warrant wants wanted want waiting wait vs virtue value vaccine ut using uses use upward week well system went youll yet years yearly ya would worth workable work without willing wife why who while where whats upcoming until unneeded unnecessary throughout through think things thing they their thats thanks thank than temporary temporarily taste talk taking take tight tightening times trying unfortunately unfair unemployed under unable two twice try tipped tried tracking town tooo too told today rent renewing remarried new needed need my must multiple much moving moved move more months monthly month money monetary moment mom never newest rejoin news one once ok often offset offered offer off now notified nothing not nonsense nonesence non nice next mistake might merge memberships lol locations location living live little limited limit life let lesser less legacy left learning layoff later longer looking loose married membership members member medical me maybe may market losing many manservices making makes make made luck oneday ontario opened political put pushed provider profits profit profiles problem pricing president prescription prefer preemptively power possible por popular pop putting
Topic 29 | Coherence=-216513.37 | Top words= my subscription has with in an already moved he bf moving is people how tracking husband someone who so one they their anymore access dont daughter it need stepdad increase subscriber same son business at residence over joint budget your offered phone spouse increased taking charges everything wife keep cant free only than inflation gas games future fuel from frequent letting forth forever forcing for food focused flat fixed fix garbage get got getting good gonna gone left legacy going goes go given less give lesser girl let gf first life financially financial expenses expected limit every even euro especially entertainment entertaining enough end emails limited email elsewhere expensive extortion extra fee finally fiance few feet fees feel fault face far fan like family fair fact leave gotten increments issues hungry huge itself households household house hosehold horrible jacking holder history job hiking join hikes its idea gouging if instead interested increasses increasing increases into intolerable iny isn income isnt improvements im ill issue hike just higher justify laid half last had later hacking layoff hackednot hacked guys greedy greed great learning grandkids hand happy hard health keeping high keeps her help kept kidding lack eliminating having havent have kids hardly else youre el before biased biannually between better benefits benefit being begin been biggest becoming because became be barely bank back awhile biden bill cared but card cannot cancelling canceling cancel can bye by buggin billing broke break boyfriend both blindly bit bills billings away automatically aunt addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts account acceptance absurd about agree alarming all allow aren are apps aparently anyways any anticonsumer another annually and amounts amount amercian am also almost allowed care caring edge days differences didnt deteriorated delivering declined decisions death deal day direction date damn dad cutting cut customers customer currently different disappointed caused down easily earlier each duplicate due drive drastically drain double discontinue little done don doesnt do divorce disgusts disgusting current currency creep checking combining combine college climbing climb city choose choice cheaper credit charging charged charge changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limiting loyal live start stopping stopped stop stealing stay states starting started squeeze stupid spouses spending spend span sorry soon something some stranger sub thing temporarily there the thats that thanks thank terrible temporary taste subscribers talk take system switching support summer success subscriptions situation single since save seen seems see secure second scaling scales saving run significant rules rule rotating rising risen rise ripped right selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services these things return way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while think wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing will virtue value vaccine to trying try tried town tooo too told today tired ut tipped times time tightening tight throughout through this twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ridiculous retiring living nice now notified nothing not nonsense nonesence non no next off news newest new never needed must multiple much of offer own option outside out our others other original or options opportunity offset opening opened ontario oneday once on ok often move more months lost manservices making makes make made luck loyalty lower losing monthly loose looking longer long lol locations location ll many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe overpriced owner retired raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently owning replace resume
Topic 30 | Coherence=-218483.51 | Top words= to it anymore change of billing need afford don service date cant country customer money thanks and get help caused all unable no president at inflation my time biden rather by learning enough would spend waste using customers due phone free not new way currently long another again moving makes users discontinue second hackednot future grandkids fuel greedy guys greed great hacked goes gouging games gotten garbage go gas getting gf girl good gonna give given gone going got for from frequent far fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment fault fee feel fixed forth forever forcing had food focused flat fix fees first financially financial finally fiance few feet hacking youre half kept keeping keep justify just joint join job jacking itself its issues issue isnt isn is iny intolerable keeps kidding interested kids limiting limited limit like life letting let lesser less legacy left leave layoff later last laid lack into instead hand hosehold holder history hiking hikes entertaining higher high her health he having havent have has hardly hard happy horrible house increments household increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how households hike drain end begin biased biannually bf between better benefits benefit being before cared been becoming because became be barely bank back biggest bill billings bills card cannot cancelling canceling cancel can bye but business buggin budget broke break boyfriend both blindly bit awhile away automatically alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree allow aunt allowed as aren are apps aparently anyways any anticonsumer annually an amounts amount amercian am also already almost care caring emails declined disgusting disappointed direction different differences didnt deteriorated delivering decisions cell death deal days day daughter damn dad cutting disgusts divorce do doesnt email elsewhere else eliminating el edge easily earlier each duplicate drive drastically live down double dont done cut current currency coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed come company creep compared credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending span sorry soon stupid subscriber something talk thats that thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription son someone ripped scales series sense selection seen seems see secure scaling saving servicio save same run rules rule rotating rising risen services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several the their there week where when whats what were went well weeks we who was warrant wants wanted want waiting wait vs while why these wouldn youll you yet years yearly year yall ya worth wife workable work wont won without with willing will virtue value vaccine times tracking town tooo too told today tired tipped tightening ut tight throughout through this think things thing they tried try trying twice uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two rise right ll nothing ok often offset offered offer off now notified nonsense once nonesence non nice next news newest never needed on one multiple other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only must much ridiculous your market many manservices making make made luck loyalty lower may lost losing loose looking longer lol locations location married maybe moved mistake move more months monthly month monetary moment mom mind me might merge memberships membership members member medical means owning pagos parent rates recession recently recent reason really reality reactivate re rate redo raising raises raised raise quickly quality putting put rectifying reduce parents respect return
Topic 31 | Coherence=-225784.81 | Top words= you price issues expensive between made sharing are with already have putting choose and activities into kids profiles to one new other fee more or that this my subscriptions greed loose increase me future expected hikes from the subscription time financial unemployed not outside users is personal play summer coming up policies some biased had set politically pleased having rising charging raised limited spending fuel good gonna got gone gf games going goes girl garbage gas get go given give getting youre flat frequent free fair fact face extra extortion expenses everything every even euro especially entertainment entertaining enough end emails email family fan far fix forth forever forcing for food focused fixed first fault financially finally fiance few feet fees feel gotten hard gouging grandkids job jacking itself its it issue isnt isn iny intolerable interested instead inflation increments increasses increasing increases join joint just later lesser less legacy left leave learning layoff last justify laid lack kidding kept keeps keeping keep increased income in happy help health he havent has hardly else hand high half hacking hackednot hacked guys greedy great her higher improvements how im ill if idea husband hungry huge households hike household house hosehold horrible holder history hiking elsewhere dont eliminating el biggest biden biannually bf better benefits benefit being begin before been becoming because became be barely bank back awhile bill billing billings but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit away automatically aunt addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all at another as aren apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian am also almost allowed card care cared deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drain edge easily earlier each duplicate due drive drastically down disgusting double letting done don doesnt do divorce disgusts customer current caring cheaper combining combine college climbing climb city choice checking charges company charged charge changing changes changed change cell caused come compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised let loyal life start stopped stop stepdad stealing stay states starting started squeeze so spouses spouse spend span sorry soon son something stopping stranger stupid sub thats thanks thank than terrible temporary temporarily taste talk taking take system switching support success subscribers subscriber someone situation there save seen seems see secure second scaling scales saving same single run rules rule rotating risen rise ripped right selection sense series service since significant signaling sign sight sick shoves shouldn should short she share shady several settled servicio services their these like week where when whats what were went well weeks we vs way waste was warrant wants wanted want waiting while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will wait virtue they tired try tried tracking town tooo too told today tipped value times tightening tight throughout through think things thing trying twice two unable vaccine ut using uses used use us upward upping upcoming until unneeded unnecessary unfortunately unfair understand under ridiculous return retiring never nonsense nonesence non no nice next news newest needed month need must multiple much moving moved move months nothing notified now of original options option opportunity opening opened ontario only oneday once on ok often offset offered offer off monthly money retired long luck loyalty your lower lost losing looking longer lol monetary locations location ll living live little limiting limit make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many others our out rate recent reason really reality reactivate re rather rates raising over raises raise quickly quality put pushed provider profits recently recession rectifying
Topic 32 | Coherence=-236816.84 | Top words= extra and to for the subscription sharing charging will too you many an share price not my hike with newest hikes no family charge pay im if but us more won longer parents again anymore support paying letting subscriptions moving rejoin get there once start company prices greed settled going moved disgusting raised from cancelling temporarily later way caring can of be consider year declined allow someone flat frequent free layoff forth forever forcing last learning food focused increasing future laid give kept kidding kids goes go given girl fuel gf getting lack gas garbage games fixed financially fix face lesser extortion expensive expenses expected everything every even euro especially entertainment entertaining let enough end less fact first fair gonna financial finally fiance few leave left feet fees feel fee fault far fan legacy gone got keeps its how households is household isn house hosehold horrible isnt holder history hiking issue issues higher iny intolerable huge increments increased increase income in increasses improvements inflation hungry instead ill interested into idea husband it high keeping itself had hacking just hackednot hacked guys greedy justify great grandkids gouging keep gotten increases good half hand joint having her help health jacking he email havent join have has hardly job hard happy emails youre elsewhere begin biased biannually bf between better benefits benefit being before automatically been becoming because became barely bank back awhile biden biggest bill billing cant cannot canceling cancel bye by business buggin budget broke break boyfriend both blindly bit bills billings away aunt care adding againlater after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allowed as aren are apps aparently anyways any anticonsumer another annually amounts amount amercian am also already almost card cared else death disappointed direction different differences didnt deteriorated delivering decisions deal customer days day daughter date damn dad cutting cut discontinue disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done life doesnt customers currently caused choice come combining combine college climbing climb city choose checking current cheaper charges charged changing changes changed change cell coming compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected don loyal like spouse stepdad stealing stay states starting started squeeze spouses spending single spend span sorry soon son something some so stop stopped stopping stranger thanks thank than terrible temporary taste talk taking take system switching summer success subscribers subscriber sub stupid situation since thats rules secure second scaling scales saving save same run rule significant rotating rising risen rise ripped right ridiculous return see seems seen selection signaling sign sight sick shoves shouldn should short she shady several set servicio services service series sense that their limit was what were went well weeks week we waste warrant ut wants wanted want waiting wait vs virtue value whats when where while youll yet years yearly yall ya wouldn would worth workable work wont without willing wife why who vaccine using these time tracking town tooo told today tired tipped times tightening uses tight throughout through this think things thing they tried try trying twice users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring retired resume new notified nothing nonsense nonesence non nice next news never money needed need must multiple much move months monthly now off offer offered others other original or options option opportunity opening opened ontario only oneday one on ok often offset month monetary resubscribe long luck loyalty your lower lost losing loose looking lol moment locations location ll living live little limiting limited made make makes making mom mistake mind might merge memberships membership members member medical means me maybe may married market manservices our out outside raise reality reactivate re rather rates rate raising raises quickly over quality putting put pushed provider profits profit profiles really reason recent
 69%|██████▉   | 33/48 [1:53:42<1:16:25, 305.68s/it]
Topic 33 | Coherence=-224725.14 | Top words= to back will be money have for months this of need is and month in prices the due try ill few come end budget cut payment move continue job losing tight up once high squeeze trying yet don even pay go more bills possible people out else using gas later with return wait enough piracy these reduce something year everything rotating taste vaccine resume time week medical waiting until soon join divorce lost day discontinue going raise expenses forever future married things increasses upcoming no payday having family tired hungry fuel free forth gf getting girl from get give garbage frequent games feet forcing food email emails entertaining entertainment especially euro every expected expensive extortion extra face fact fair fan far fault fee feel fees fiance finally financial financially first fix fixed flat focused given youre goes increments isn iny intolerable into interested instead inflation increasing issue increases increased increase income improvements im if isnt issues husband keeps layoff last laid lack kids kidding kept keeping it keep justify just joint jacking itself its idea huge gone greedy hand half had hacking hackednot hacked guys greed hard great grandkids gouging gotten got good gonna happy hardly how hiking households household house hosehold horrible holder history hikes has hike higher her help health he havent elsewhere disgusting eliminating becoming between better benefits benefit being begin before been because biannually became barely bank awhile away automatically aunt at bf biased el broke canceling cancel can bye by but business buggin break biden boyfriend both blindly bit billings billing bill biggest as aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cancelling cannot cant date deteriorated delivering declined decisions death deal days daughter damn covid dad cutting customers customer currently current currency creep didnt differences different direction edge easily earlier each duplicate drive drastically drain down double dont done doesnt do disgusts leave disappointed credit courtesy card charge city choose choice checking cheaper charging charges charged changing country changes changed change cell caused caring cared care climb climbing college combine costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive compared company coming combining learning loyal left starting start spouses spouse spending spend span sorry son someone some so situation single since significant signaling sign started states sick stay system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing sight shoves taking second scales saving save same run rules rule rising risen rise ripped right ridiculous retiring retired resubscribe restriction scaling secure shouldn see should short she sharing share shady several settled set servicio services service series sense selection seen seems take talk restart where whats what were went well weeks we way waste was warrant wants wanted want vs virtue value when while uses who youll you years yearly yall ya wouldn would worth workable work wont won without willing wife why ut users temporarily told tipped times tightening throughout through think thing they there their thats that thanks thank than terrible temporary today too used tooo use us upward upping unneeded unnecessary unfortunately unfair unemployed understand under unable two twice tried tracking town restrict respect legacy non next news newest new never needed my must multiple much moving moved monthly monetary moment mom mistake nice nonesence might nonsense opening opened ontario only oneday one on ok often offset offered offer off now notified nothing not mind merge option looking long lol locations location ll living live little limiting limited limit like life letting let lesser less longer loose memberships lower membership members member means me maybe may market many manservices making makes make made luck loyalty your opportunity options residence rather rate raising raises raised quickly quality putting put pushed provider profits profit profiles problem pricing price president rates re prefer
Average topic coherence for the top words is -222749.1380719131
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.26it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.24it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.27it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.29it/s]
 10%|█         | 5/50 [00:00<00:08,  5.26it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.26it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.28it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.25it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.26it/s]
 20%|██        | 10/50 [00:01<00:07,  5.26it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.27it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.26it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.26it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.24it/s]
 30%|███       | 15/50 [00:02<00:06,  5.24it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.23it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.23it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.24it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.26it/s]
 40%|████      | 20/50 [00:03<00:05,  5.28it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.29it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.30it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.30it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.29it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.30it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.28it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.28it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.29it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.28it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.28it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.28it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.29it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.26it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.23it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.26it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.27it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.29it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.30it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.29it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.27it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.27it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.26it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.26it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.23it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.24it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.25it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.26it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.26it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.30it/s]
100%|██████████| 50/50 [00:09<00:00,  5.27it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.76it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.60it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.55it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.54it/s]
 10%|█         | 5/50 [00:00<00:06,  6.54it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.52it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.52it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.53it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.49it/s]
 20%|██        | 10/50 [00:01<00:06,  6.50it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.49it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.49it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.44it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.46it/s]
 30%|███       | 15/50 [00:02<00:05,  6.47it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.47it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.49it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.53it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.51it/s]
 40%|████      | 20/50 [00:03<00:04,  6.50it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.54it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.52it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.54it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.55it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.55it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.50it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.45it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.45it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.46it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.46it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.46it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.44it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.46it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.47it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.48it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.48it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.49it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.50it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.50it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.50it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.51it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.52it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.54it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.52it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.51it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.48it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.47it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.49it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.51it/s]
100%|██████████| 50/50 [00:07<00:00,  6.50it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.51it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.50it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.51it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.50it/s]
 10%|█         | 5/50 [00:01<00:12,  3.48it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.48it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.50it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.51it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.50it/s]
 20%|██        | 10/50 [00:02<00:11,  3.50it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.50it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.50it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.50it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.50it/s]
 30%|███       | 15/50 [00:04<00:10,  3.50it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.48it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.48it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.49it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.48it/s]
 40%|████      | 20/50 [00:05<00:08,  3.48it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.48it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.49it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.48it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.46it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.48it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.48it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.48it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.49it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.49it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.49it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.48it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.49it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.49it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.48it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.46it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.47it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.48it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.48it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.49it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.49it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.50it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.49it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.48it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.50it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.48it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.48it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.48it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.50it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.50it/s]
100%|██████████| 50/50 [00:14<00:00,  3.49it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.68it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.64it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.66it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.66it/s]
 10%|█         | 5/50 [00:01<00:16,  2.67it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.68it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.68it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.68it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.69it/s]
 20%|██        | 10/50 [00:03<00:14,  2.68it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.68it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.68it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.68it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.69it/s]
 30%|███       | 15/50 [00:05<00:12,  2.70it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.68it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.68it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.68it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.69it/s]
 40%|████      | 20/50 [00:07<00:11,  2.69it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.69it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.69it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.69it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.70it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.69it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.69it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.69it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.70it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.69it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.67it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.67it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.68it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.68it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.68it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.68it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.68it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.68it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.69it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.68it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.68it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.69it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.69it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.70it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.68it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.67it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.68it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.67it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.67it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.67it/s]
100%|██████████| 50/50 [00:18<00:00,  2.68it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.76it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.76it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.76it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.77it/s]
 10%|█         | 5/50 [00:02<00:25,  1.76it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.77it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.76it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.77it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.77it/s]
 20%|██        | 10/50 [00:05<00:22,  1.77it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.77it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.78it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.78it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.77it/s]
 30%|███       | 15/50 [00:08<00:19,  1.78it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.78it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.78it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.77it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.77it/s]
 40%|████      | 20/50 [00:11<00:16,  1.78it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.77it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.77it/s]
 46%|████▌     | 23/50 [00:12<00:15,  1.78it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.77it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.77it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.77it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.76it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.77it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.77it/s]
 60%|██████    | 30/50 [00:16<00:11,  1.78it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.77it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.78it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.77it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.78it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.78it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.78it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.77it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.77it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.77it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.77it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.77it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.76it/s]
 86%|████████▌ | 43/50 [00:24<00:03,  1.77it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.77it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.77it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.77it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.77it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.78it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.78it/s]
100%|██████████| 50/50 [00:28<00:00,  1.77it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.80it/s]
Topic 0 | Coherence=-223427.74 | Top words= my have just not to is so pay subscription was that more bill forcing nice choice especially keeping face iny make pop lost shoves life option subscriber worth automatically me anymore bank up it with but currently told for allowed expensive because your am credit charged compromised card without the wanted you do service ill willing provider think today customers through connected notified different only are fault broke flat use re overpriced give good great grandkids gouging getting gotten got gas gonna given gf gone get girl going goes go garbage youre games extortion fee far fan family fair fact extra expenses future expected everything every even euro entertainment entertaining feel fees feet few fuel from frequent free forth forever food focused fixed fix first financially financial finally fiance greed help greedy guys job jacking itself its issues issue isnt isn intolerable into interested instead inflation increments increasses increasing increases join joint justify layoff let lesser less legacy left leave learning later keep last laid lack kids kidding kept keeps increased increase income hardly her end health he having havent has hard higher happy hand half had hacking hackednot hacked high hike in how improvements im if idea husband hungry huge households hikes household house hosehold horrible holder history hiking enough doesnt emails begin biased biannually bf between better benefits benefit being before email been becoming became be barely back awhile away biden biggest billing billings cant cannot cancelling canceling cancel can bye by business buggin budget break boyfriend both blindly bit bills aunt at as againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree aren alarming apps aparently anyways any anticonsumer another annually and an amounts amount amercian also already almost allow all care cared caring disgusts discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad disgusting divorce cut don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done cutting customer caused coming combining combine college climbing climb city choose checking cheaper charging charges charge changing changes changed change cell come company current compared currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider competitive letting loyal like spend states starting started start squeeze spouses spouse spending span significant sorry soon son something someone some situation single stay stealing stepdad stop temporarily taste talk taking take system switching support summer success subscriptions subscribers sub stupid stranger stopping stopped since signaling terrible rule second scaling scales saving save same run rules rotating sign rising risen rise ripped right ridiculous return retiring secure see seems seen sight sick shouldn should short she sharing share shady several settled set servicio services series sense selection temporary than resume waste what were went well weeks week we way warrant using wants want waiting wait vs virtue value vaccine whats when where while youll yet years yearly year yall ya wouldn would workable work wont won will wife why who ut uses thank throughout tooo too tired tipped times time tightening tight this users things thing they these there their thats thanks town tracking tried try used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retired resubscribe limit new nothing nonsense nonesence non no next news newest never monthly needed need must multiple much moving moved move now of off offer others other original or options opportunity opening opened ontario oneday one once on ok often offset offered months month out long made luck loyalty lower losing loose looking longer lol money locations location ll living live little limiting limited makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market our outside restriction raise reality reactivate rather rates rate raising raises raised quickly prices quality putting put pushed profits profit profiles problem really reason recent recently
Topic 1 | Coherence=-224695.28 | Top words= for now the subscription keep out are services so was charging raising reason kept youre charge using my cheaper gonna people im better other if only prices is you on through going as divorce getting wife courtesy left spending provider budget thank happy hacked fair starting many cell phone entertainment newest not ya girl husband switching overpriced making after kids greedy less games from legacy free fuel forth forever future forcing frequent isn garbage gas food get learning gf give given go goes layoff later gone last leave fix focused everything face extra extortion expensive expenses like expected every life even euro especially entertaining enough end emails fact letting flat few fixed first lesser financially financial finally fiance let family feet fees feel fee fault far fan laid greed good got improvements itself ill jacking idea job hungry huge how households household house hosehold join horrible its in income it iny intolerable into issue interested issues instead increase inflation increments increasses increasing increases increased holder history hiking hackednot hand keeps half had kidding hacking lack hardly guys isnt great grandkids gouging gotten hard elsewhere hikes her hike higher joint just justify high help has health he having keeping havent have email down else been biannually bf between benefits benefit being begin before becoming biden because became be barely bank back awhile away biased biggest aunt buggin cancelling canceling cancel can bye by but business broke bill break boyfriend both blindly bit bills billings billing automatically at cant adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot card eliminating deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drastically el edge easily earlier each duplicate due drive drain disgusting limited double dont done don doesnt do disgusts customer current care checking combining combine college climbing climb city choose choice charges coming charged changing changes changed change caused caring cared come company currency continue creep credit covid country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive limit loyal limiting start stopping stopped stop stepdad stealing stay states started squeeze stupid spouses spouse spend span sorry soon son something stranger sub these taste their thats that thanks than terrible temporary temporarily talk subscriber taking take system support summer success subscriptions subscribers someone some situation saving selection seen seems see secure second scaling scales save single same run rules rule rotating rising risen rise sense series service servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set there they little way whats what were went well weeks week we waste where warrant wants wanted want waiting wait vs virtue when while thing worth youll yet years yearly year yall wouldn would workable who work wont won without with willing will why value vaccine ut tired tried tracking town tooo too told today to tipped uses times time tightening tight throughout this think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right ridiculous new nothing nonsense nonesence non no nice next news never of needed need must multiple much moving moved move notified off return opening outside our others original or options option opportunity opened offer ontario oneday one once ok often offset offered more months monthly loose make made luck loyalty your lower lost losing looking month longer long lol locations location ll living live makes manservices market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may over own owner rates recession recently recent really reality reactivate re rather rate profit raises raised raise quickly quality putting put pushed rectifying redo reduce reducing
Topic 2 | Coherence=-220232.18 | Top words= price the of no increases not to for with service good out longer hikes way paying value increase worth lack are hand cost money is what anymore enough getting been using quality far selection isnt its just amount members legacy living tired reality respect rising run frequent vs justify offered customer keeps horrible absurd really got changes reflect two am sight daughter every becoming letting fault short creep loyal higher terrible high should customers moment emails change face done biggest hackednot also guys greedy greed great grandkids gouging gotten amercian amounts gonna gone going goes an hacked hacking given had allowed almost her help health he having havent have has hardly hard happy already half go give fair flat fix first financially financial finally fiance few feet anticonsumer fees feel fee any anyways fan fixed focused girl food gf and get gas garbage games future fuel from annually free forth forever forcing another allow hike all kept keeping keep activities added joint join job jacking itself adding it issues issue addition additional acct kidding alarming kids about let lesser less acceptance access left leave learning layoff account later last laid accounts isn addresses iny intolerable idea husband hungry huge how households household again house hosehold againlater agree holder history hiking if ill im increments into interested instead addtional inflation adicional increasses improvements increasing afford increased after income in family fact biden connected competitive compared company coming come combining combine college climbing climb city choose choice checking cheaper compromised consider charges consolidating benefit credit benefits covid courtesy country costs better continuous continues continue continually continously constantly constant charging charged aparently bye by but business buggin budget broke break boyfriend both blindly bit bills billings billing bill biased can charge cancel changing between changed bf cell caused caring cared care card cant cannot biannually cancelling canceling currency being begin automatically elsewhere else away eliminating el edge easily earlier each duplicate due awhile drive drastically drain email end current aunt apps extra extortion expensive expenses expected everything aren even euro especially as at entertainment entertaining down double dont like death deal days barely day be became date damn dad cutting cut because before currently decisions declined delivering back don doesnt do divorce disgusts disgusting discontinue deteriorated disappointed direction bank different differences didnt life youre limit started stopping stopped stop stepdad stealing stay states starting start something squeeze spouses spouse spending spend span sorry soon stranger stupid sub subscriber thanks thank than temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers son someone thats save seen seems see secure second scaling scales saving same some rules rule rotating risen rise ripped right ridiculous sense series services servicio so situation single since significant signaling sign sick shoves shouldn she sharing share shady several settled set that their retiring we where when whats were went well weeks week waste ut was warrant wants wanted want waiting wait virtue while who why wife youll you yet years yearly year yall ya wouldn would workable work wont won without willing will vaccine uses there tightening town tooo too told today tipped times time tight users throughout through this think things thing they these tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice return retired limited new nothing nonsense nonesence non nice next news newest never more needed need my must multiple much moving moved notified now off offer other original or options option opportunity opening opened ontario only oneday one once on ok often offset move months our loose make made luck loyalty your lower lost losing looking monthly long lol locations location ll live little limiting makes making manservices many month monetary mom mistake mind might merge memberships membership member medical means me maybe may married market others outside resume quickly re rather rates rate raising raises raised raise putting president put pushed provider profits profit profiles problem pricing reactivate reason recent recently
Topic 3 | Coherence=-227447.93 | Top words= you charge for to re and your not going good worth is it uses daughter sign anyways extra college no ut when she thank me in my bye kids that so want more do another services why city intolerable unfair needed even dont forth put guys done live how will fair of need out changing moving resume bank thats kidding country allow account holder death gotten youre used becoming hacking hacked all greedy greed great grandkids gouging allowed got almost gonna gone already goes go given hackednot had amounts half higher high her help health he having havent have has hardly hard happy hand alarming give girl gf feel financially financial finally fiance few feet fees fee getting fault far amercian fan family amount fact first fix fixed flat get gas garbage games future fuel from frequent free also forever forcing am food focused hike hikes hiking job keeps keeping keep justify just joint join accounts activities jacking itself its acct issues issue isnt kept access acceptance lack life about letting let lesser less legacy left leave learning layoff later last laid absurd isn iny history after ill if idea afford husband hungry huge again added households household againlater house hosehold horrible agree im improvements adicional addtional into interested instead inflation increments increasses adding increasing increases addition increased increase income additional addresses face extortion been awhile choice checking cheaper charging charges charged away changes cant changed change cell caused caring cared care choose automatically climb climbing continously constantly constant consolidating consider connected compromised competitive compared company coming come combining combine aunt card cannot expensive biannually billings billing bill biggest biden because biased bf cancelling between better benefits benefit being begin before bills bit blindly both canceling cancel can back barely be became by but business buggin budget broke break boyfriend at continually continue drain easily earlier each duplicate due drive drastically down continues anticonsumer double any limit don doesnt anymore edge el eliminating else expenses expected an everything every annually euro especially entertainment entertaining enough end emails email elsewhere divorce disgusts disgusting are cut customers customer currently current currency creep credit covid courtesy aren costs as cost continuous cutting dad discontinue damn disappointed direction different differences didnt deteriorated delivering declined decisions aparently deal days day apps date like loyal limited spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping retiring switching terrible temporary temporarily taste talk taking take system support stranger summer success subscriptions subscription subscribers subscriber sub stupid some situation single run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped right ridiculous seems seen selection sense significant signaling sight sick shoves shouldn should short sharing share shady several settled set servicio service series than thanks the waste what were went well weeks week we way was using warrant wants wanted waiting wait vs virtue value whats where while who youll yet years yearly year yall ya wouldn would workable work wont won without with willing wife vaccine users their tight too told today tired tipped times time tightening throughout use through this think things thing they these there tooo town tracking tried us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying try return retired limiting nice offer off now notified nothing nonsense nonesence non next offset news newest new never must multiple much moved offered often resubscribe option over outside our others other original or options opportunity ok opening opened ontario only oneday one once on move months monthly loose makes make made luck loyalty lower lost losing looking month longer long lol locations location ll living little making manservices many market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married overpriced own owner raised really reality reactivate rather rates rate raising raises raise pricing quickly quality putting pushed provider profits profit profiles reason recent recently recession
Topic 4 | Coherence=-220225.04 | Top words= to and my me different in subscription live you have two will be that on cancel want use subscriptions since mom membership places restrict taste both able won addresses extortion with disgusting its fee but another poland payment amercian double boyfriend family emails about wants same gf household using offer go caused climb opening job automatically over into few other must as fair entertainment gonna gone expensive going especially good even goes given fact euro got feel fault fees gotten entertaining gouging enough far grandkids great greed greedy guys hacked every girl give finally financially first fix fixed flat hackednot focused food for forcing forever expenses forth free frequent everything from fan future fiance games garbage gas get getting feet extra expected face financial fuel high hacking it keep justify just joint join jacking itself issues keeps issue isnt isn is iny intolerable interested keeping kept inflation left like life letting let lesser less legacy leave kidding learning layoff later last laid lack kids instead increments had he hiking hikes hike higher her help health having holder havent has hardly hard happy hand half history horrible increasses ill increasing increases increased increase income improvements im if hosehold idea husband hungry huge how households house end dont email benefit biggest biden biased biannually bf between better benefits being awhile begin before been becoming because became barely bank bill billing billings bills cared care card cant cannot cancelling canceling can bye by business buggin budget broke break blindly bit back away cell addition agree againlater again after afford adicional addtional additional adding aunt added activities acct accounts account access acceptance absurd alarming all allow allowed at aren are apps aparently anyways anymore any anticonsumer annually an amounts amount am also already almost caring change elsewhere death disappointed direction differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut discontinue disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain down limited done don doesnt customers currently changed choose company coming come combining combine college climbing city choice current checking cheaper charging charges charged charge changing changes compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider limit youre limiting spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped thats system thank than terrible temporary temporarily talk taking take switching stopping support summer success subscribers subscriber sub stupid stranger so situation single save seen seems see secure second scaling scales saving run significant rules rule rotating rising risen rise ripped right selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thanks the little waste what were went well weeks week we way was when warrant wanted waiting wait vs virtue value vaccine whats where their would youll yet years yearly year yall ya wouldn worth while workable work wont without willing wife why who ut uses users tight too told today tired tipped times time tightening throughout used through this think things thing they these there tooo town tracking tried us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try ridiculous return retiring next notified nothing not nonsense nonesence non no nice news of newest new never needed need multiple much moving now off retired opportunity outside out our others original or options option opened offered ontario only oneday one once ok often offset moved move more losing makes make made luck loyalty your lower lost loose months looking longer long lol locations location ll living making manservices many market monthly month money monetary moment mistake mind might merge memberships members member medical means maybe may married overpriced own owner raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 5 | Coherence=-220561.84 | Top words= pay but are to company bill youre have disgusting about its extortion greedy family taste charge different extra is for subscriptions you it and after subscription an ill that was do this not so compromised when going times wanted card amount started charged without be credit because told the allowed bank waiting until day high like time decisions fault hacked why subscriber shady son service again from fuel gonna future games great limit garbage go good goes get getting gone gf girl got gotten gouging give grandkids given gas leave frequent free fan limiting fair fact face expensive expenses expected everything every even euro especially entertainment entertaining enough end limited far fee fix forth forever forcing food focused flat greed first feel financially financial finally fiance few feet fees fixed has life guys legacy issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases increased increase income issues left itself kept layoff later last laid lack kids kidding keeps jacking keeping keep justify just joint join job in improvements im learning email help health he having havent letting hardly higher hard happy hand half had hacking hackednot her hike if households idea less husband lesser hungry huge how household hikes house hosehold horrible holder history hiking let emails disappointed elsewhere away biggest biden biased biannually bf between better benefits benefit being begin before been becoming became barely back billing billings bills by cant cannot cancelling canceling cancel can bye business bit buggin budget broke break boyfriend both blindly awhile automatically cared aunt agree againlater afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd alarming all allow any at as aren apps aparently anyways anymore anticonsumer almost another annually amounts amercian am also already care caring else currently live direction differences didnt deteriorated delivering declined death deal days daughter date damn dad cutting cut customers discontinue disgusts divorce due eliminating el edge easily earlier each duplicate drive doesnt drastically drain down double dont done don customer current caused currency combining combine college climbing climb city choose choice checking cheaper charging charges changing changes changed change cell come coming compared continues creep covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected little loyal living something squeeze spouses spouse spending spend span sorry soon someone starting some situation single since significant signaling sign sight start states shoves success temporarily talk taking take system switching support summer subscribers stay sub stupid stranger stopping stopped stop stepdad stealing sick shouldn ll right run rules rule rotating rising risen rise ripped ridiculous save return retiring retired resume resubscribe restriction restrict restart same saving should services short she sharing share several settled set servicio series scales sense selection seen seems see secure second scaling temporary terrible than waste what were went well weeks week we way warrant where wants want wait vs virtue value vaccine ut whats while thank would youll yet years yearly year yall ya wouldn worth who workable work wont won with willing will wife using uses users through tooo too today tired tipped tightening tight throughout think used things thing they these there their thats thanks town tracking tried try use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying respect residence reside new nonsense nonesence non no nice next news newest never notified needed need my must multiple much moving moved nothing now other oneday or options option opportunity opening opened ontario only one of once on ok often offset offered offer off move more months lower manservices making makes make made luck loyalty your lost monthly losing loose looking longer long lol locations location many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe original others repurposing provider raises raised raise quickly quality putting put pushed profits rate profit profiles problem pricing prices price president prescription raising rates our redo replace
Topic 6 | Coherence=-231714.22 | Top words= and anymore it not do you customers to increase enough service keep garbage cant customer afford care even use raising rate share about price us your letting don thanks caused go why fault president biden inflation quality continues blindly by get have should warrant agree pay cost using prices policy focused paying now aren money before often changes on change month this as subscriber upping waste choose so of few almost rates constant gf getting gonna future gone games going goes less gas gotten lesser good given give girl got lack let fact fees feel fee far fan family fair face fuel extra extortion expensive expenses expected everything every feet life fiance finally from frequent free forth forever forcing for food grandkids flat fixed fix first financially financial gouging has great greed is iny intolerable into interested instead increments increasses increasing increases increased learning income in improvements im ill isn isnt layoff joint kidding kept keeps keeping laid justify just join issue job jacking itself last its later issues if idea husband happy health he having havent kids hardly hard hand help half had hacking hackednot hacked guys greedy euro legacy hungry horrible huge leave how households household house hosehold holder her left history hiking hikes hike higher high youre double especially benefit bill biggest biased biannually bf between better benefits being entertainment begin been becoming because became be barely bank billing billings bills bit caring cared card cannot cancelling canceling cancel can bye but business buggin budget broke break boyfriend both back awhile away all againlater again after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd alarming allow automatically allowed aunt at are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already cell changed changing dont doesnt divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days done limit daughter down entertaining end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain day date charge connected competitive compared company coming come combining combine college climbing climb city choice checking cheaper charging charges charged compromised consider damn consolidating dad cutting cut currently current currency creep credit covid courtesy country costs continuous continue continually continously constantly like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid limiting taking that thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscription subscribers something someone some save seen seems see secure second scaling scales saving same situation run rules rule rotating rising risen rise ripped selection sense series services single since significant signaling sign sight sick shoves shouldn short she sharing shady several settled set servicio thats the their week where when whats what were went well weeks we value way was wants wanted want waiting wait vs while who wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine there time town tooo too told today tired tipped times tightening ut tight throughout through think things thing they these tracking tried try trying uses users used upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right ridiculous return never nonesence non no nice next news newest new needed months need my must multiple much moving moved move nonsense nothing notified off other original or options option opportunity opening opened ontario only oneday one once ok offset offered offer more monthly our looking make made luck loyalty lower lost losing loose longer monetary long lol locations location ll living live little makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market others out retiring raises recently recent reason really reality reactivate re rather raised problem raise quickly putting put pushed provider profits profit recession rectifying redo reduce
Topic 7 | Coherence=-222242.55 | Top words= and after prices starting additional profiles just profit last to charge year greedy is increase for continue married of money passed away squeeze yet time even up subscriptions subscription try got you go waste account out she using has getting her people the learning would spend more my had rather raise wife mom own consolidating an paying break el por parent servicio pagos owning summer adicional person outside coming spouses play take option share benefit automatically pricing two husband hard financially allowed cut get gas garbage especially entertaining expected every expenses given euro gf girl entertainment give everything fees expensive games few fiance feel fee finally fault financial first fix fixed flat far focused fan food family forcing forever fair forth free fact frequent from fuel feet extra future extortion face youre goes if isnt isn iny intolerable into interested instead inflation increments increasses increasing increases increased income in improvements im issue issues it keeps layoff later laid lack kids kidding kept keeping its keep justify joint join job jacking itself ill idea going hungry hardly happy hand half end hacking hackednot hacked guys greed great grandkids gouging gotten good gonna gone have havent having holder huge how households household house hosehold horrible history he hiking hikes hike higher high help health enough doesnt emails better billing bill biggest biden biased biannually bf between benefits bills being begin before been becoming because became be billings bit email can cared care card cant cannot cancelling canceling cancel bye blindly by but business buggin budget broke boyfriend both barely bank back addition all alarming agree againlater again afford addtional addresses adding awhile added activities acct accounts access acceptance absurd about allow almost already also aunt at as aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am caring caused cell delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cutting decisions death deal days day daughter date damn disgusts divorce do left elsewhere else eliminating edge easily earlier each duplicate due drive drastically drain down double dont done don dad customers change choose company come combining combine college climbing climb city choice customer checking cheaper charging charges charged changing changes changed compared competitive compromised connected currently current currency creep credit covid courtesy country costs cost continuous continues continually continously constantly constant consider leave loyal legacy span stepdad stealing stay states started start spouse spending sorry resume soon son something someone some so situation single stop stopped stopping stranger thanks thank than terrible temporary temporarily taste talk taking system switching support success subscribers subscriber sub stupid since significant signaling secure scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring second see sign seems sight sick shoves shouldn should short sharing shady several settled set services service series sense selection seen that thats their when what were went well weeks week we way was warrant wants wanted want waiting wait vs virtue whats where vaccine while youll years yearly yall ya wouldn worth workable work wont won without with willing will why who value ut there tracking tooo too told today tired tipped times tightening tight throughout through this think things thing they these town tried uses trying users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable twice retired resubscribe less moved new never needed need must multiple much moving move restriction months monthly month monetary moment mistake mind might newest news next nice one once on ok often offset offered offer off now notified nothing not nonsense nonesence non no merge memberships membership loose longer long lol locations location ll living live little limiting limited limit like life letting let lesser looking losing members lost member medical means me maybe may market many manservices making makes make made luck loyalty your lower oneday only ontario reason reality reactivate re rates rate raising raises raised quickly quality putting put pushed provider profits problem price really recent prescription
Topic 8 | Coherence=-217278.83 | Top words= will your subscription the greed year to canceling rate company access budget of months offset each cancel luck checking increasses tired with return why for increments tightening againlater playing games subscribers before preemptively better next disgusts pay hike me prices later resume summer activities health spending anymore come spend do raise goes go fact given even every girl gf getting everything give going euro especially gone gonna entertainment good got gotten gouging grandkids great entertaining greedy enough end expected expensive get fix face financially financial finally fiance few feet fees feel fee fault far fan family fair first fixed expenses flat gas garbage future fuel from frequent free forth forever forcing extortion food focused guys extra youre he hacked its keep justify just joint join job jacking itself it instead issues issue isnt isn is iny intolerable into keeping keeps kept kidding limited limit like life letting let lesser less legacy left leave learning layoff last laid lack kids interested inflation hackednot havent hiking hikes higher high her help email having have increasing has hardly hard happy hand half had hacking history holder horrible hosehold increases increased increase income in improvements im ill if idea husband hungry huge how households household house emails drain elsewhere been biased biannually bf between benefits benefit being begin becoming biggest because became be barely bank back awhile away biden bill else business card cant cannot cancelling can bye by but buggin billing broke break boyfriend both blindly bit bills billings automatically aunt at additional alarming agree again after afford adicional addtional addresses addition as adding added acct accounts account acceptance absurd about all allow allowed almost aren are apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also already care cared caring deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting eliminating el edge easily earlier duplicate due drive drastically little down double dont done don doesnt divorce customer current caused cheaper combining combine college climbing climb city choose choice charging currency charges charged charge changing changes changed change cell coming compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected limiting loyal live start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse span sorry soon son something someone stopping stupid there taste thats that thanks thank than terrible temporary temporarily talk sub taking take system switching support success subscriptions subscriber some so situation scales sense selection seen seems see secure second scaling saving single save same run rules rule rotating rising risen series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set their these ripped waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where they would youll you yet years yearly yall ya wouldn worth while workable work wont won without willing wife who value vaccine ut tipped try tried tracking town tooo too told today times using time tight throughout through this think things thing trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right living nice now notified nothing not nonsense nonesence non no news offer newest new never needed need my must multiple off offered over opportunity out our others other original or options option opening often opened ontario only oneday one once on ok much moving moved lost many manservices making makes make made loyalty lower losing move loose looking longer long lol locations location ll market married may maybe more monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means outside overpriced ridiculous raising recent reason really reality reactivate re rather rates raises recession raised quickly quality putting put pushed provider profits recently rectifying own reside retiring
Topic 9 | Coherence=-218409.41 | Top words= back be will break my taking on and when got for get ll we off laid of getting just can money bit another in platform time saving phone payday later rejoin service ill moving but own come awhile settled married next once payment accounts combining now subscription month spending end less using repurposing feet might divorce cutting move may broke cancelling im monetary week rise free summer temporarily constantly join soon instead provider loose through layoff future hikes entertainment girl expenses expected expensive gf go give everything given every gas goes going even gone euro gonna good especially entertaining extortion fair garbage fee finally financial few fees financially first fix feel gouging fixed flat focused food forcing games forever fault forth frequent far fan family from fuel fiance fact face extra gotten youre grandkids into issues issue isnt isn is iny intolerable interested improvements inflation increments increasses increasing increases increased increase it its itself jacking legacy left leave learning last lack kids kidding kept keeps keeping keep justify joint job income if great hand having havent have has hardly hard happy half idea had hacking hackednot hacked guys greedy greed he health enough her husband hungry huge how households household house hosehold horrible holder history hiking hike higher high help down emails begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank away automatically biden bill email bye caring cared care card cant cannot canceling cancel by billing business buggin budget boyfriend both blindly bills billings aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed caused cell change delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cut decisions death deal days day daughter date damn disgusts do doesnt don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain let double dont done dad customers changed choose compared company coming combine college climbing climb city choice customer checking cheaper charging charges charged charge changing changes competitive compromised connected consider currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating lesser loyal letting states stupid stranger stopping stopped stop stepdad stealing stay starting something started start squeeze spouses spouse spend span sorry sub subscriber subscribers subscriptions there their the thats that thanks thank than terrible temporary taste talk take system switching support success son someone life scaling series sense selection seen seems see secure second scales some save same run rules rule rotating rising risen services servicio set several so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady these they thing way while where whats what were went well weeks waste things was warrant wants wanted want waiting wait vs who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue value vaccine twice try tried tracking town tooo too told today to tired tipped times tightening tight throughout this think trying two ut unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous news notified nothing not nonsense nonesence non no nice newest overpriced new never needed need must multiple much moved offer offered offset often outside out our others other original or options option opportunity opening opened ontario only oneday one ok more months monthly luck your lower lost losing looking longer long lol locations location living live little limiting limited limit like loyalty made moment make mom mistake mind merge memberships membership members member medical means me maybe market many manservices making makes over owner return rate recent reason really reality reactivate re rather rates raising owning raises raised raise quickly quality putting put pushed recently recession rectifying
Topic 10 | Coherence=-231947.45 | Top words= the money to price for way few you your greedy hikes charging subscriptions also and have not fan this over years past extra too back months is because in much ill once come try customer tight budget stop as addtional upcoming youll cost new charge increases what me has got cant quickly wait risen that return using ya girl tooo caring use ridiculous second more iny damn rates month needed two expensive fair run an emails gotten games garbage gas good get give getting gf given gonna entertaining gone going goes go enough end entertainment focused future fuel expected financially financial finally fiance feet fees feel expenses fee fault extortion face far fact first gouging fix forcing from frequent free forth forever especially euro everything food family even flat every fixed youre health grandkids isnt job jacking itself its it issues issue isn joint intolerable into interested instead inflation increments increasses join just increased last less legacy left leave learning layoff later laid justify lack kids kidding kept keeps keeping keep increasing increase great happy help elsewhere he having havent hardly hard hand high half had hacking hackednot hacked guys greed her higher income how improvements im if idea husband hungry huge households hike household house hosehold horrible holder history hiking email disgusting else being biden biased biannually bf between better benefits benefit begin automatically before been becoming became be barely bank awhile biggest bill billing billings cannot cancelling canceling cancel can bye by but business buggin broke break boyfriend both blindly bit bills away aunt eliminating adding againlater again after afford adicional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am already almost allowed card care cared decisions disappointed direction different differences didnt deteriorated delivering declined death caused deal days day daughter date dad cutting cut discontinue let disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt do customers currently current company combining combine college climbing climb city choose choice checking cheaper charges charged changing changes changed change cell coming compared currency competitive creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised lesser loyal letting sorry started start squeeze spouses spouse spending spend span soon signaling son something someone some so situation single since starting states stay stealing talk taking take system switching support summer success subscription subscribers subscriber sub stupid stranger stopping stopped stepdad significant sign life rotating secure scaling scales saving save same rules rule rising sight rise ripped right retiring retired resume resubscribe restriction see seems seen selection sick shoves shouldn should short she sharing share shady several settled set servicio services service series sense taste temporarily temporary was whats were went well weeks week we waste warrant terrible wants wanted want waiting vs virtue value vaccine when where while who yet yearly year yall wouldn would worth workable work wont won without with willing will wife why ut uses users today tipped times time tightening throughout through think things thing they these there their thats thanks thank than tired told used town us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying tried tracking restrict restart respect never nonsense nonesence non no nice next news newest need other my must multiple moving moved move monthly monetary nothing notified now of or options option opportunity opening opened ontario only oneday one on ok often offset offered offer off moment mom mistake loyalty lost losing loose looking longer long lol locations location ll living live little limiting limited limit like lower luck mind made might merge memberships membership members member medical means maybe may married market many manservices making makes make original others residence pushed rate raising raises raised raise quality putting put provider our profits profit profiles problem pricing prices president prescription rather re reactivate
Topic 11 | Coherence=-227730.46 | Top words= to and much money the my it is as save be too trying of dont other need use services want for increase possible moved changed different currency now country was cut current months location should half am reduce what financial some bills charged down service spending up unemployed drain barely rise issues right losing situation due been has using loyalty prefer becoming we platforms summer will anticonsumer quality who play by acceptance rising gone gf get forth going goes gas go free given give getting girl future fuel garbage frequent from games youre forever fan fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining family far forcing fault food focused flat fixed fix first financially good finally fiance few feet fees feel fee gonna havent got interested itself its issue isnt isn iny intolerable into instead gotten inflation increments increasses increasing increases increased income in jacking job join joint legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping keep justify just improvements im ill health having end have hardly hard happy hand had hacking hackednot hacked guys greedy greed great grandkids gouging he help if her idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike higher high enough disgusts emails bill biden biased biannually bf between better benefits benefit being begin before because became bank back awhile away biggest billing aunt billings cant cannot cancelling canceling cancel can bye but business buggin budget broke break boyfriend both blindly bit automatically at care agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account access absurd about againlater alarming aren all are apps aparently anyways anymore any another annually an amounts amount amercian also already almost allowed allow card cared email discontinue direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting customers disappointed disgusting currently lesser elsewhere else eliminating el edge easily earlier each duplicate drive drastically double done don doesnt do divorce customer creep caring come combine college climbing climb city choose choice checking cheaper charging charges charge changing changes change cell caused combining coming credit company covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared less loyal let squeeze stop stepdad stealing stay states starting started start spouses single spouse spend span sorry soon son something someone stopped stopping stranger stupid than terrible temporary temporarily taste talk taking take system switching support success subscriptions subscription subscribers subscriber sub so since letting rule secure second scaling scales saving same run rules rotating significant risen ripped ridiculous return retiring retired resume resubscribe see seems seen selection signaling sign sight sick shoves shouldn short she sharing share shady several settled set servicio series sense thank thanks that way where when whats were went well weeks week waste thats warrant wants wanted waiting wait vs virtue value while why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with vaccine ut uses tooo today tired tipped times time tightening tight throughout through this think things thing they these there their told town users tracking used us upward upping upcoming until unneeded unnecessary unfortunately unfair understand under unable two twice try tried restriction restrict restart never nonesence non no nice next news newest new needed original must multiple moving move more monthly month monetary nonsense not nothing notified options option opportunity opening opened ontario only oneday one once on ok often offset offered offer off moment mom mistake luck lower lost loose looking longer long lol locations ll living live little limiting limited limit like life your made mind make might merge memberships membership members member medical means me maybe may married market many manservices making makes or others respect put rates rate raising raises raised raise quickly putting pushed our provider profits profit profiles problem pricing prices price rather re reactivate
Topic 12 | Coherence=-227116.80 | Top words= price the to increase not are is for worth and me up be enough raising greedy this currently used have you willing prices raised something continues ridiculous options expensive already activities support great back else made much long am constant ill everything last life since between time as go profit profiles kids profits putting became happy charge re kidding can member rotating into outside justify while spending budget think gouging renewing choose shoves days horrible being make subscriber phone done times if on twice choice garbage gf frequent goes from give gas fuel getting get future given girl games fiance free forth far fan family fair fact face extra extortion expenses expected every even euro especially entertainment fault fee feel fix forever forcing food focused flat fixed first fees financially financial finally gone few feet going youre gonna interested it issues issue isnt isn iny intolerable instead improvements inflation increments increasses increasing increases increased income its itself jacking job legacy left leave learning layoff later laid lack kept keeps keeping keep just joint join in im good had having havent entertaining hardly hard hand half hacking idea hackednot hacked guys greed grandkids gotten got he health help her husband hungry huge how households household house hosehold holder history hiking hikes hike higher high has don end benefits billing bill biggest biden biased biannually bf better benefit emails begin before been becoming because barely bank awhile billings bills bit blindly cared care card cant cannot cancelling canceling cancel bye by but business buggin broke break boyfriend both away automatically aunt agree again after afford adicional addtional addresses additional addition adding added acct accounts account access acceptance absurd about againlater alarming at all aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also almost allowed allow caring caused cell divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal day daughter date damn disgusts do cutting doesnt email elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down double dont lesser dad cut change competitive company coming come combining combine college climbing climb city checking cheaper charging charges charged changing changes changed compared compromised customers connected customer current currency creep credit covid courtesy country costs cost continuous continue continually continously constantly consolidating consider less loyal let squeeze stop stepdad stealing stay states starting started start spouses situation spouse spend span sorry soon son someone some stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscription subscribers sub so single letting same seems see secure second scaling scales saving save run significant rules rule rising risen rise ripped right return seen selection sense series signaling sign sight sick shouldn should short she sharing share shady several settled set servicio services service thanks that thats way whats what were went well weeks week we waste their was warrant wants wanted want waiting wait vs when where who why youll yet years yearly year yall ya wouldn would workable work wont won without with will wife virtue value vaccine try tracking town tooo too told today tired tipped tightening tight throughout through things thing they these there tried trying ut two using uses users use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring retired resume need no nice next news newest new never needed my or must multiple moving moved move more months monthly non nonesence nonsense nothing opportunity opening opened ontario only oneday one once ok often offset offered offer off of now notified month money monetary loyalty lower lost losing loose looking longer lol locations location ll living live little limiting limited limit like your luck moment makes mom mistake mind might merge memberships membership members medical means maybe may married market many manservices making option original resubscribe quality reality reactivate rather rates rate raises raise quickly put other pushed provider problem pricing president prescription prefer preemptively really reason recent
Topic 13 | Coherence=-224848.72 | Top words= subscription my and one in are to subscriptions need has we is the or other dont so company with moving only choose expensive increase too price into putting increases already that kids an new between made anymore not at pick market shouldn competitive hard manservices drive me activities same fiance consolidating stepdad boyfriend down location residence from wife cancel far financially hacked moved entertaining fix ontario options daughter some spouse pleased policies remarried year upward biannually date unfortunately than aparently loyalty thank hungry good for forcing forever focused forth food improvements free frequent go given give girl gf getting keeping get gas keeps garbage games flat fuel kept future financial fixed expenses learning leave face extra extortion left expected layoff everything every even euro especially entertainment fact later first last kidding lack going finally laid few feet fair fees feel fee fault fan family goes got gone hosehold help her iny intolerable high higher hike interested hikes hiking history holder horrible instead house he household inflation households how increments increasses increasing huge husband increased income idea if ill health having keep job justify gonna im just gotten joint gouging grandkids great greed greedy guys join hackednot jacking enough hacking itself had half hand happy its it issues issue isnt hardly isn have havent youre end benefit billing bill biggest biden biased bf better benefits being back begin before been becoming because became be barely billings bills bit blindly cared care card cant cannot cancelling canceling can bye by but business buggin budget broke break both bank awhile emails addition againlater again after afford adicional addtional addresses additional adding away added acct accounts account access acceptance absurd about agree alarming all allow automatically aunt as aren apps anyways any anticonsumer another annually amounts amount amercian am also almost allowed caring caused cell delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined change decisions death deal days day damn dad cutting disgusts divorce do doesnt email elsewhere else eliminating el edge easily earlier each duplicate due drastically drain double less done don cut customers customer compared come combining combine college climbing climb city choice checking cheaper charging charges charged charge changing changes changed coming compromised currently connected current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consider legacy loyal lesser squeeze stopped stop stealing stay states starting started start spouses these spending spend span sorry soon son something someone stopping stranger stupid sub their thats thanks terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber situation single since selection seems see secure second scaling scales saving save run rules rule rotating rising risen rise ripped right seen sense significant series signaling sign sight sick shoves should short she sharing share shady several settled set servicio services service there they return way when whats what were went well weeks week waste thing was warrant wants wanted want waiting wait vs where while who why youll you yet years yearly yall ya wouldn would worth workable work wont won without willing will virtue value vaccine trying tried tracking town tooo told today tired tipped times time tightening tight throughout through this think things try twice ut two using uses users used use us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable ridiculous retiring let never nonsense nonesence non no nice next news newest needed over must multiple much move more months monthly month nothing notified now of out our others original option opportunity opening opened oneday once on ok often offset offered offer off money monetary moment lower losing loose looking longer long lol locations ll living live little limiting limited limit like life letting lost your mom luck mistake mind might merge memberships membership members member medical means maybe may married many making makes make outside overpriced retired raises really reality reactivate re rather rates rate raising raised own raise quickly quality put pushed provider profits profit reason recent recently
Topic 14 | Coherence=-224483.62 | Top words= price your and has the up like or hike other after increasing it far options entertaining of ill year biannually was consider seems prices much you since just many gone going keeps member that span drastically deteriorated too selection am months cost went fixed income being sharing in off earlier oneday stopping sorry expenses reducing have stupid on again lol quality down sick non ripped laid retired annually had stop fee subscriptions climbing loyal unneeded membership jacking set customer last nice current given thanks retiring especially isn ut rather greedy financial job first finally fiance fix few financially households itself flat focused food for forcing its forever forth free frequent issues issue from feet fault fees expensive end enough leave learning layoff entertainment euro even later every everything lack expected kids extortion feel extra face kidding fact fair family kept keeping keep fan justify joint future join fuel gas games increased email hand happy increase hard hardly improvements im havent if idea husband having he health help her high hungry higher huge hikes hiking history holder horrible hosehold house how half hacking isnt hackednot garbage household get getting gf girl give is iny go goes intolerable into gonna good interested got gotten gouging grandkids instead great inflation greed increments increasses increases guys hacked emails divorce elsewhere before biden biased bf between better benefits benefit begin been automatically becoming because became be barely bank back awhile biggest bill billing billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills away aunt cant adding agree againlater afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about alarming all allow allowed as aren are apps aparently anyways anymore any anticonsumer another an amounts amount amercian also already almost cannot card else days different differences didnt delivering declined decisions death deal day creep daughter date damn dad cutting cut customers currently direction disappointed discontinue disgusting eliminating el edge easily each duplicate due drive drain double dont done don doesnt do legacy disgusts currency credit care charged climb city choose choice checking cheaper charging charges charge covid changing changes changed change cell caused caring cared college combine combining come courtesy country costs continuous continues continue continually continously constantly constant consolidating connected compromised competitive compared company coming left youre less start stranger stopped stepdad stealing stay states starting started squeeze restriction spouses spouse spending spend soon son something someone sub subscriber subscribers subscription there their thats thank than terrible temporary temporarily taste talk taking take system switching support summer success some so situation see second scaling scales saving save same run rules rule rotating rising risen rise right ridiculous return resume secure seen single sense significant signaling sign sight shoves shouldn should short she share shady several settled servicio services service series these they thing who where when whats what were well weeks week we way waste warrant wants wanted want waiting wait while why virtue wife youll yet years yearly yall ya wouldn would worth workable work wont won without with willing will vs value things trying tried tracking town tooo told today to tired tipped times time tightening tight throughout through this think try twice vaccine two using uses users used use us upward upping upcoming until unnecessary unfortunately unfair unemployed understand under unable resubscribe restrict lesser my no next news newest new never needed need must restart multiple moving moved move more monthly month money nonesence nonsense not nothing others original option opportunity opening opened ontario only one once ok often offset offered offer now notified monetary moment mom lower losing loose looking longer long locations location ll living live little limiting limited limit life letting let lost loyalty mistake luck mind might merge memberships members medical means me maybe may married market manservices making makes make made our out outside reactivate rates rate raising raises raised raise quickly putting put pushed provider profits profit profiles problem pricing president re reality prefer
Topic 15 | Coherence=-223826.46 | Top words= subscription my with an price in has too many share hike hikes already newest to charging it extra he bf the someone husband moving who moved pay cheaper for else everything subscriber way life getting phone son euro company hacking keeps joint currency cant daughter take business offered and feet policy kids prices gas grandkids great garbage got gouging get gotten gf girl give good gonna given go greed games going gone goes youre future expected fan family fair fact face extortion expensive expenses every fuel even especially entertainment entertaining enough end emails email far fault fee feel from frequent free forth forever forcing focused flat fixed fix first financially financial finally fiance few fees food havent greedy instead keeping keep justify just join job jacking itself its issues issue isnt isn is iny intolerable into kept kidding lack lesser little limiting limited limit like letting let less laid legacy left leave learning layoff later last interested inflation guys increments history hiking higher high her help health having have hardly hard happy hand half had hackednot hacked holder horrible hosehold im increasses increasing increases increased increase income improvements ill house if idea hungry huge how households household elsewhere down eliminating been biannually between better benefits benefit being begin before becoming biden because became be barely bank back awhile away biased biggest aunt budget cancelling canceling cancel can bye by but buggin broke bill break boyfriend both blindly bit bills billings billing automatically at el adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as another aren are apps aparently anyways anymore any anticonsumer annually all amounts amount amercian am also almost allowed allow cannot card care deal different differences didnt deteriorated delivering declined decisions death days disappointed day date damn dad cutting cut customers customer direction discontinue cared drain edge easily earlier each duplicate due drive drastically living disgusting double dont done don doesnt do divorce disgusts currently current creep charges combine college climbing climb city choose choice checking charged credit charge changing changes changed change cell caused caring combining come coming compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive live loyal ll started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub some temporarily their thats that thanks thank than terrible temporary taste subscribers talk taking system switching support summer success subscriptions something so these saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service situation shouldn single since significant signaling sign sight sick shoves should services short she sharing shady several settled set servicio there they location we when whats what were went well weeks week waste while was warrant wants wanted want waiting wait vs where why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will virtue vaccine thing tipped try tried tracking town tooo told today tired times twice time tightening tight throughout through this think things trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous nonesence offer off of now notified nothing not nonsense non often no nice next news new never needed need offset ok multiple options over outside out our others other original or option on opportunity opening opened ontario only oneday one once must much return your market manservices making makes make made luck loyalty lower may lost losing loose looking longer long lol locations married maybe move mistake more months monthly month money monetary moment mom mind me might merge memberships membership members member medical means overpriced own owner rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo owning residence retiring
Topic 16 | Coherence=-233761.63 | Top words= too and many the raised new not you anymore price prices added year for increase fees worth just money rules seems nothing really every subscriptions charging but expensive is charges it sharing times ok when good gotten adding on want now don more greedy workable dont system people isn talk raise ll me pay rates getting raising again changing having lol set gf girl fan euro even get gas garbage give going given go goes future gone gonna especially got entertainment entertaining gouging enough end grandkids games expected fuel financially far fault fee feel fair fact feet few face fiance great finally extra financial first from fix fixed flat extortion focused food forcing forever forth free frequent expenses family everything youre havent greed increased join job jacking itself its issues issue isnt iny intolerable into interested instead inflation increments increasses increasing joint justify keep layoff let lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps increases income guys in high her help health he email have has hardly hard happy hand half had hacking hackednot hacked higher hike hikes huge improvements im ill if idea husband hungry how hiking households household house hosehold horrible holder history emails down elsewhere else biden biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back biggest bill billing business cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills awhile away automatically additional alarming agree againlater after afford adicional addtional addresses addition allow activities acct accounts account access acceptance absurd about all allowed aunt anticonsumer at as aren are apps aparently anyways any another almost annually an amounts amount amercian am also already card care cared deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drive eliminating el edge easily earlier each duplicate due drastically disgusting drain life double done doesnt do divorce disgusts customer current caring choice come combining combine college climbing climb city choose checking company cheaper charged charge changes changed change cell caused coming compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised letting loyal like started stopping stopped stop stepdad stealing stay states starting start something squeeze spouses spouse spending spend span sorry soon stranger stupid sub subscriber thats that thanks thank than terrible temporary temporarily taste taking take switching support summer success subscription subscribers son someone there scales series sense selection seen see secure second scaling saving some save same run rule rotating rising risen rise service services servicio settled so situation single since significant signaling sign sight sick shoves shouldn should short she share shady several their these right waste what were went well weeks week we way was ut warrant wants wanted waiting wait vs virtue value whats where while who youll yet years yearly yall ya wouldn would work wont won without with willing will wife why vaccine using they tipped tried tracking town tooo told today to tired time uses tightening tight throughout through this think things thing try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous limit newest notified nonsense nonesence non no nice next news never months needed need my must multiple much moving moved of off offer offered our others other original or options option opportunity opening opened ontario only oneday one once often offset move monthly outside looking made luck loyalty your lower lost losing loose longer month long locations location living live little limiting limited make makes making manservices monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market out over return rate recession recently recent reason reality reactivate re rather raises problem quickly quality putting put pushed provider profits profit rectifying redo reduce reducing
Topic 17 | Coherence=-222438.72 | Top words= and price the increases to will change where have ridiculous my we subscription is pay different upcoming locations use anticonsumer in fee many need don too married two got memberships charges husband us sharing going acceptance service reality there again added greedy start for costs moved recently inflation fees discontinue weeks constant several gotten throughout history rising rise raises losing policy recession food gas redo lol membership after afford respect keeping amount looking last been entertainment forcing financial financially end first fix emails fixed email flat focused kidding kept keeps forever fiance forth free frequent legacy less from fuel future games garbage keep get justify finally few especially face euro entertaining even leave every everything expected expenses expensive enough extortion learning extra layoff feet fact later left fair family laid fan far fault gf lack feel kids getting give girl isn households household house hosehold horrible holder hiking huge isnt hikes issue hike higher high how hungry help im increase increasing income increasses increments improvements ill iny instead interested into if intolerable idea her health increased gonna greed great grandkids gouging job good join guys gone joint goes go given just jacking itself he happy having elsewhere issues has hardly hard hand hacked it half had its hacking hackednot havent youre else benefits bill biggest biden biased biannually bf between better benefit back being begin before becoming because became be barely billing billings bills bit cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bank awhile care additional allow all alarming agree againlater adicional addtional addresses addition away adding activities acct accounts account access absurd about allowed almost already also automatically aunt at as aren are apps aparently anyways anymore any another annually an amounts amercian am card cared eliminating deal direction differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers disappointed disgusting disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont done let doesnt do customer current caring checking combining combine college climbing climb city choose choice cheaper currency charging charged charge changing changes changed cell caused come coming company compared creep credit covid courtesy country cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive lesser loyal letting squeeze stopped stop stepdad stealing stay states starting started spouses some spouse spending spend span sorry soon son something stopping stranger stupid sub thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber someone so retired save seen seems see secure second scaling scales saving same situation run rules rule rotating risen ripped right return selection sense series services single since significant signaling sign sight sick shoves shouldn should short she share shady settled set servicio thanks that thats way while when whats what were went well week waste their was warrant wants wanted want waiting wait vs who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue value vaccine tried town tooo told today tired tipped times time tightening tight through this think things thing they these tracking try ut trying using uses users used upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice retiring resume life next notified nothing not nonsense nonesence non no nice news more newest new never needed must multiple much moving now of off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered move months resubscribe long made luck loyalty your lower lost loose longer location monthly ll living live little limiting limited limit like make makes making manservices month money monetary moment mom mistake mind might merge members member medical means me maybe may market other others our put rates rate raising raised raise quickly quality putting pushed out provider profits profit profiles problem pricing prices president rather re reactivate
Topic 18 | Coherence=-230110.47 | Top words= it you afford can keep now at this and time pay will too right don not is using many but declined way my for really think am lost charging good job longer cant card high canceling have again when willing series popular every other service start opportunity cannot that days interested jacking apps options any won just coming out tight paying currently increased support enough work play prices spending to fuel garbage games gas youre get getting gf girl give given goes going gone gonna got gotten gouging go fixed future from far fan family fair fact face extra extortion expensive expenses expected everything even euro especially entertainment entertaining fault fee feel flat frequent free forth forever forcing food focused fix fees first financially financial finally fiance few feet grandkids havent great intolerable itself its issues issue isnt isn iny into joint instead inflation increments increasses increasing increases increase join justify in layoff let lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps income improvements greed happy health he having emails has hardly hard hand her half had hacking hackednot hacked guys greedy help higher im households ill if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes end doesnt email begin biased biannually bf between better benefits benefit being before caused been becoming because became be barely bank back biden biggest bill billing cared care cancelling cancel bye by business buggin budget broke break boyfriend both blindly bit bills billings awhile away automatically alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all aunt allow as aren are aparently anyways anymore anticonsumer another annually an amounts amount amercian also already almost allowed caring cell elsewhere decisions discontinue disappointed direction different differences didnt deteriorated delivering death change deal day daughter date damn dad cutting cut disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done life customers customer current compared come combining combine college climbing climb city choose choice checking cheaper charges charged charge changing changes changed company competitive currency compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected letting loyal like spend stealing stay states starting started squeeze spouses spouse span since sorry soon son something someone some so situation stepdad stop stopped stopping temporary temporarily taste talk taking take system switching summer success subscriptions subscription subscribers subscriber sub stupid stranger single significant than rules secure second scaling scales saving save same run rule signaling rotating rising risen rise ripped ridiculous return retiring see seems seen selection sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services sense terrible thank resume warrant were went well weeks week we waste was wants uses wanted want waiting wait vs virtue value vaccine what whats where while youll yet years yearly year yall ya wouldn would worth workable wont without with wife why who ut users thanks throughout town tooo told today tired tipped times tightening through used things thing they these there their the thats tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retired resubscribe limit needed non no nice next news newest new never need month must multiple much moving moved move more months nonesence nonsense nothing notified or option opening opened ontario only oneday one once on ok often offset offered offer off of monthly money others long made luck loyalty your lower losing loose looking lol monetary locations location ll living live little limiting limited make makes making manservices moment mom mistake mind might merge memberships membership members member medical means me maybe may married market original our restriction raise reactivate re rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles reality reason recent recently
Topic 19 | Coherence=-233338.52 | Top words= you and extra subscription that my your charge family sharing with people using for if prices im no only will cheaper other increase like when youre reason gonna about better kept paying support an now keep longer out share bill parents how news raising power won their outside more states charges idea newest subscriptions they the profits greedy tracking unable nonesence allow wont acceptance having costs have ill last free lack laid forth forever forcing food financial focused flat fixed fix first later frequent from fuel future kids games garbage gas get getting gf girl give given kidding go keeps financially finally going euro expensive expenses expected everything every even less fiance especially entertainment entertaining enough end emails legacy extortion left face fact fair leave fan far fault learning fee feel fees feet layoff few goes gone husband interested history hiking hikes hike instead higher high is her into intolerable help iny health inflation holder increments horrible hosehold increasses increasing increases house household households increased income in improvements huge hungry he havent keeping just itself jacking job join joint greed great elsewhere grandkids gouging gotten got good justify guys its it hacked hackednot issues issue hacking had isnt half hand happy hard isn hardly has email dont else begin biden biased biannually bf between benefits benefit being before billing been becoming because became be barely bank back biggest billings away but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile automatically care additional agree againlater again after afford adicional addtional addresses addition all adding added activities acct accounts account access absurd alarming allowed aunt any at as aren are apps aparently anyways anymore anticonsumer almost another annually amounts amount amercian am also already card cared eliminating death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting customer drastically el edge easily earlier each duplicate due drive drain disgusts down double let done don doesnt do divorce customers currently caring choice come combining combine college climbing climb city choose checking company charging charged changing changes changed change cell caused coming compared current continues currency creep credit covid courtesy country cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised lesser loyal letting spouse stepdad stealing stay starting started start squeeze spouses spending situation spend span sorry soon son something someone some stop stopped stopping stranger thank than terrible temporary temporarily taste talk taking take system switching summer success subscribers subscriber sub stupid so single return same seems see secure second scaling scales saving save run since rules rule rotating rising risen rise ripped right seen selection sense series significant signaling sign sight sick shoves shouldn should short she shady several settled set servicio services service thanks thats there was were went well weeks week we way waste warrant these wants wanted want waiting wait vs virtue value what whats where while youll yet years yearly year yall ya wouldn would worth workable work without willing wife why who vaccine ut uses tried tooo too told today to tired tipped times time tightening tight throughout through this think things thing town try users trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice ridiculous retiring life need not nonsense non nice next new never needed must monetary multiple much moving moved move months monthly month nothing notified of off original or options option opportunity opening opened ontario oneday one once on ok often offset offered offer money moment retired lol luck loyalty lower lost losing loose looking long locations mom location ll living live little limiting limited limit made make makes making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices others our over raises recent really reality reactivate re rather rates rate raised overpriced raise quickly quality putting put pushed provider profit recently recession rectifying
Topic 20 | Coherence=-214591.49 | Top words= prices services raising better benefit climb with more stop added other have no continues damn price customer and year for into put these success some offer money others lost lesser yall mind please temporarily increases every twice scaling down was since is rejoin get its leave learning free forth forever forcing focused food layoff flat fixed fix left legacy less frequent future from fuel gone last going goes go given give girl gf getting later gas garbage games financially first financial let euro extortion expensive expenses expected everything limited even especially laid entertainment entertaining enough end emails email elsewhere extra face fact fair finally fiance few letting feet life fees feel fee fault far fan like limit family gonna got good if improvements im ill joint just justify keep idea income husband hungry huge how households household house in increase it jacking issues issue isnt isn itself iny intolerable job increased interested instead inflation increments increasses increasing join keeping hosehold horrible hacked happy hand kids half had hacking hackednot guys holder greedy greed lack great grandkids gouging gotten hard hardly eliminating kidding history hiking hikes hike higher high her help health he keeps having havent kept has else youre el edge biased biannually bf between benefits being begin before been becoming because became be barely bank back awhile away automatically biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt at as addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cannot cant card days differences didnt deteriorated delivering declined decisions death deal day direction daughter date dad cutting cut customers currently current different disappointed creep little easily earlier each duplicate due drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting currency credit care charged climbing city choose choice checking cheaper charging charges charge combine changing changes changed change cell caused caring cared college combining covid constantly courtesy country costs cost continuous continue continually continously constant come consolidating consider connected compromised competitive compared company coming limiting loyal live starting stupid stranger stopping stopped stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers son temporary their the thats that thanks thank than terrible taste subscription talk taking take system switching support summer subscriptions soon something living saving sense selection seen seems see secure second scales save service same run rules rule rotating rising risen rise series servicio someone shoves so situation single significant signaling sign sight sick shouldn set should short she sharing share shady several settled there they thing way whats what were went well weeks week we waste where warrant wants wanted want waiting wait vs virtue when while things worth youll you yet years yearly ya wouldn would workable who work wont won without willing will wife why value vaccine ut tired tried tracking town tooo too told today to tipped using times time tightening tight throughout through this think try trying two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous next now notified nothing not nonsense nonesence non nice news off newest new never needed need my must multiple of offered overpriced opening outside out our original or options option opportunity opened offset ontario only oneday one once on ok often much moving moved lower manservices making makes make made luck loyalty your losing move loose looking longer long lol locations location ll many market married may months monthly month monetary moment mom mistake might merge memberships membership members member medical means me maybe over own return rate recent reason really reality reactivate re rather rates raises recession raised raise quickly quality putting pushed provider profits recently rectifying owner residence retiring
Topic 21 | Coherence=-213344.05 | Top words= to need of month cut back change expenses just due country end payment be move job losing almost don costs billing other this fuel per increased rent having the on entertainment date in acceptance have go lack new looking retiring must switching shady care buggin currently ll fan laid ridiculous fixed good expensive gonna gone going goes expected extortion extra given give girl got everything gf every gotten gouging grandkids even great euro greed greedy guys hacked especially entertaining hackednot face fact getting fix first flat financially financial focused finally food fiance hacking forcing few forever forth free feet fees frequent from feel fee fault far future games garbage gas get family fair for her had kids kept keeps keeping keep justify joint join jacking itself its it issues issue isnt isn is iny kidding last half later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff intolerable into interested instead horrible holder history hiking hikes hike higher high help health he havent has hardly hard happy hand hosehold house household improvements inflation increments increasses increasing increases increase income im households ill if idea husband hungry huge how enough youre emails before biannually bf between better benefits benefit being begin been biden becoming because became barely bank awhile away automatically biased biggest at business cannot cancelling canceling cancel can bye by but budget bill broke break boyfriend both blindly bit bills billings aunt as email addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow an amounts amount amercian am also already allowed cant card cared decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter damn dad cutting customers discontinue disgusts caring duplicate elsewhere else eliminating el edge easily location each drive divorce drastically drain down double dont done doesnt do customer current currency cheaper combine college climbing climb city choose choice checking charging creep charges charged charge changing changes changed cell caused combining come coming company credit covid courtesy cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared earlier loyal locations stepdad subscribers subscriber sub stupid stranger stopping stopped stop stealing subscriptions stay states starting started start squeeze spouses spouse subscription success spend than they these there their thats that thanks thank terrible summer temporary temporarily taste talk taking take system support spending span things seen settled set servicio services service series sense selection seems share see secure second scaling scales saving save same several sharing sorry since soon son something someone some so situation single significant she signaling sign sight sick shoves shouldn should short thing think rules weeks while where when whats what were went well week why we way waste was warrant wants wanted want who wife wait wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing waiting vs through too two twice trying try tried tracking town tooo told under today tired tipped times time tightening tight throughout unable understand virtue us value vaccine ut using uses users used use upward unemployed upping upcoming up until unneeded unnecessary unfortunately unfair run rule lol notified once ok often offset offered offer off now nothing oneday not nonsense nonesence non no nice next news one only never out parent pagos owning owner own overpriced over outside our ontario others original or options option opportunity opening opened newest needed passed make maybe may married market many manservices making makes made means luck loyalty your lower lost loose longer long me medical my monetary multiple much moving moved more months monthly money moment member mom mistake mind might merge memberships membership members parents past rotating reality reduce redo rectifying recession recently recent reason really reactivate reflect re rather rates rate raising raises raised raise reducing rejoin quality resubscribe rising risen
Topic 22 | Coherence=-228424.95 | Top words= keep price the and increasing your you raising terrible addition pricing greedy charges prices of sharing is new money me will on from in while high because long raised has been way years yall stealing havent renewing be value delivering little continually point made stop damn additional more after constant increase users original lower pls with increased am gotten pop need customer opened subscription owner year deteriorated fix expensive give girl everything expected expenses getting gf go extortion extra face get given goes fact every even going gone euro gonna good got especially entertainment entertaining gouging gas fair grandkids garbage first financially financial finally fixed flat focused fiance few feet food for fees forcing feel forever fee forth fault far free frequent fan fuel future family games youre he great isnt job jacking itself its it issues issue isn joint iny intolerable into interested instead inflation increments join just greed later lesser less legacy left leave learning layoff last justify laid lack kids kidding kept keeps keeping increasses increases income hard her help health end having have hardly happy improvements hand half had hacking hackednot hacked guys higher hike hikes hiking im ill if idea husband hungry huge how households household house hosehold horrible holder history enough drain emails benefits bill biggest biden biased biannually bf between better benefit billings being begin before becoming became barely bank back billing bills away by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly awhile automatically email adding alarming agree againlater again afford adicional addtional addresses added allow activities acct accounts account access acceptance absurd about all allowed aunt any at as aren are apps aparently anyways anymore anticonsumer almost another annually an amounts amount amercian also already care cared caring decisions disgusting discontinue disappointed direction different differences didnt declined death divorce deal days day daughter date dad cutting cut disgusts do caused duplicate elsewhere else eliminating el edge easily earlier each due doesnt drive drastically letting down double dont done don customers currently current checking combining combine college climbing climb city choose choice cheaper currency charging charged charge changing changes changed change cell come coming company compared creep credit covid courtesy country costs cost continuous continues continue continously constantly consolidating consider connected compromised competitive let loyal life squeeze stopping stopped stepdad stay states starting started start spouses some spouse spending spend span sorry soon son something stranger stupid sub subscriber that thanks thank than temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers someone so ripped scales sense selection seen seems see secure second scaling saving situation save same run rules rule rotating rising risen series service services servicio single since significant signaling sign sight sick shoves shouldn should short she share shady several settled set thats their there wants went well weeks week we waste was warrant wanted these want waiting wait vs virtue vaccine ut using were what whats when youll yet yearly ya wouldn would worth workable work wont won without willing wife why who where uses used use town too told today to tired tipped times time tightening tight throughout through this think things thing they tooo tracking us tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try rise right like next notified nothing not nonsense nonesence non no nice news move newest never needed my must multiple much moving now off offer offered out our others other or options option opportunity opening ontario only oneday one once ok often offset moved months ridiculous longer makes make luck loyalty lost losing loose looking lol monthly locations location ll living live limiting limited limit making manservices many market month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married outside over overpriced rather recession recently recent reason really reality reactivate re rates own rate raises raise quickly quality putting put pushed rectifying redo reduce
Topic 23 | Coherence=-229662.02 | Top words= the and money of don increase extra subscription share using about that when outside want limit idea family states with bill power paying like news my price bye have recent raising limited just talk on sharing another spend services get im prices continously restriction multiple cannot lack hosehold agree cant job stopped billings trying save users some is rates change re right forcing getting fuel future got from games given good garbage gonna gone going gas goes free gf girl go give frequent financially forth every fact face extortion expensive expenses expected everything even forever euro especially entertainment entertaining enough end emails fair fan far fault for food focused flat fixed fix first financial finally fiance few feet fees feel fee gotten hardly gouging joint jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing join justify increased keep letting let lesser less legacy left leave learning layoff later last laid kids kidding kept keeps keeping increases income grandkids help he having havent has elsewhere hard happy hand half had hacking hackednot hacked guys greedy greed great health her in high improvements ill if husband hungry huge how households household house horrible holder history hiking hikes hike higher email youre else before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically business care card cancelling canceling cancel can by but buggin billing budget broke break boyfriend both blindly bit bills away aunt eliminating addition againlater again after afford adicional addtional addresses additional adding all added activities acct accounts account access acceptance absurd alarming allow at anticonsumer as aren are apps aparently anyways anymore any annually allowed an amounts amount amercian am also already almost cared caring caused deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue cell drastically el edge easily earlier each duplicate due drive drain disgusting down double dont life doesnt do divorce disgusts customer currently current choice come combining combine college climbing climb city choose checking currency cheaper charging charges charged charge changing changes changed coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually constantly constant consolidating consider connected compromised done loyal limiting started stupid stranger stopping stop stepdad stealing stay starting start someone squeeze spouses spouse spending span sorry soon son sub subscriber subscribers subscriptions there their thats thanks thank than terrible temporary temporarily taste taking take system switching support summer success something so they same seen seems see secure second scaling scales saving run situation rules rule rotating rising risen rise ripped ridiculous selection sense series service single since significant signaling sign sight sick shoves shouldn should short she shady several settled set servicio these thing little week while where whats what were went well weeks we virtue way waste was warrant wants wanted waiting wait who why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vs value things tired tried tracking town tooo too told today to tipped vaccine times time tightening tight throughout through this think try twice two unable ut uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under return retiring retired new not nonsense nonesence non no nice next newest never monthly needed need must much moving moved move more nothing notified now off original or options option opportunity opening opened ontario only oneday one once ok often offset offered offer months month resume loose make made luck loyalty your lower lost losing looking monetary longer long lol locations location ll living live makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market other others our quality reality reactivate rather rate raises raised raise quickly putting out put pushed provider profits profit profiles problem pricing really reason recently
Topic 24 | Coherence=-218559.32 | Top words= this subscription with my keeps nonsense long don was changing benefits price you been too hacked away passed by as is issues rise good of owner continues in being opened before end used mistake between users duplicate stranger personal having rising sight no business financial over aunt need some notified acct taking someone entertainment offered own time fuel today reflect drive have girl gotten greed great get grandkids gouging getting got give gonna gone gf going go given goes youre gas feel fault far fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertaining enough fee fees garbage feet games future from frequent free greedy forever forcing for food focused flat fixed fix first financially finally fiance few forth he guys hackednot just joint join job jacking itself its it issue isnt isn iny intolerable into interested instead inflation justify keep keeping leave life letting let lesser less legacy left learning kept layoff later last laid lack kids kidding increments increasses increasing havent hikes hike higher high her help health has history hardly hard happy hand half had hacking hiking holder increases idea increased increase income improvements im ill if husband horrible hungry huge how households household house hosehold emails dont email begin bill biggest biden biased biannually bf better benefit becoming billings because became be barely bank back awhile automatically billing bills elsewhere can cared care card cant cannot cancelling canceling cancel bye bit but buggin budget broke break boyfriend both blindly at aren are addition againlater again after afford adicional addtional addresses additional adding apps added activities accounts account access acceptance absurd about agree alarming all allow aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed caring caused cell death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts else eliminating el edge easily earlier each due drastically drain down double limit done doesnt do divorce customers currently change choose coming come combining combine college climbing climb city choice current checking cheaper charging charges charged charge changes changed company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stopping sub limiting taste thats that thanks thank than terrible temporary temporarily talk subscriber take system switching support summer success subscriptions subscribers something so situation saving selection seen seems see secure second scaling scales save single same run rules rule rotating risen ripped right sense series service services since significant signaling sign sick shoves shouldn should short she sharing share shady several settled set servicio the their there week where when whats what were went well weeks we virtue way waste warrant wants wanted want waiting wait while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will vs value these tipped try tried tracking town tooo told to tired times vaccine tightening tight throughout through think things thing they trying twice two unable ut using uses use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ridiculous return retiring new nothing not nonesence non nice next news newest never monthly needed must multiple much moving moved move more now off offer offset our others other original or options option opportunity opening ontario only oneday one once on ok often months month outside loose make made luck loyalty your lower lost losing looking money longer lol locations location ll living live little makes making manservices many monetary moment mom mind might merge memberships membership members member medical means me maybe may married market out overpriced retired raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 25 | Coherence=-228368.53 | Top words= price and is you the be your many access greed too why now good more am increments checking luck we canceling to money increases with where saving can deal need continuous problem sharing expensive so new increase people fee loose tracking they from others their switching compared how dad less creep much increased biggest upping cost no sick hungry buggin caring wait decisions work thank card continue politically give fixed girl gf expected getting expenses everything go given every even goes going gone euro gonna especially entertainment got gotten gouging entertaining grandkids extortion garbage get feel fix focused food first financially financial finally fiance for few feet forcing forever fees forth extra free fault frequent far fan family fuel fair fact future face games flat gas great youre greedy increasing joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation just justify keep layoff letting let lesser legacy left leave learning later keeping last laid lack kids kidding kept keeps increasses income guys in end help health he having havent have has hardly hard happy hand half had hacking hackednot hacked her high higher households improvements im ill if idea husband huge household hike house hosehold horrible holder history hiking hikes enough don emails been bf between better benefits benefit being begin before becoming at because became barely bank back awhile away automatically biannually biased biden bill cannot cancelling cancel bye by but business budget broke break boyfriend both blindly bit bills billings billing aunt as email addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed cant care cared deteriorated disgusts disgusting discontinue disappointed direction different differences didnt delivering caused declined death days day daughter date damn cutting divorce do doesnt like elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done cut customers customer come combine college climbing climb city choose choice cheaper charging charges charged charge changing changes changed change cell combining coming currently company current currency credit covid courtesy country costs continues continually continously constantly constant consolidating consider connected compromised competitive life loyal limit spouse stealing stay states starting started start squeeze spouses spending single spend span sorry soon son something someone some stepdad stop stopped stopping temporary temporarily taste talk taking take system support summer success subscriptions subscription subscribers subscriber sub stupid stranger situation since than rules see secure second scaling scales save same run rule significant rotating rising risen rise ripped right ridiculous return seems seen selection sense signaling sign sight shoves shouldn should short she share shady several settled set servicio services service series terrible thanks retired was what were went well weeks week way waste warrant using wants wanted want waiting vs virtue value vaccine whats when while who youll yet years yearly year yall ya wouldn would worth workable wont won without willing will wife ut uses that tight tooo told today tired tipped times time tightening throughout users through this think things thing these there thats town tried try trying used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring resume limited nice off of notified nothing not nonsense nonesence non next move news newest never needed my must multiple moving offer offered offset often out our other original or options option opportunity opening opened ontario only oneday one once on ok moved months over longer makes make made loyalty lower lost losing looking long monthly lol locations location ll living live little limiting making manservices market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may outside overpriced resubscribe raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
Topic 26 | Coherence=-214439.16 | Top words= only like time it we increasing is prices at keep will long rates for subscriber there feel alarming loyalty customer going no to the are household anymore guys rising use second limiting what single few don doesnt needed well seen expensive already making been resubscribe as get emails gf getting extra gas girl games future fuel end enough from garbage go email give greedy else greed great grandkids gouging gotten got good gonna gone elsewhere goes free given frequent especially entertaining fault hacked feet fees everything fee expected expenses forth far fan family fair fact extortion fiance finally financial financially first every even fix fixed euro flat focused food face forcing forever entertainment youre help hackednot its keeping justify just joint join job jacking itself issues hacking issue isnt isn iny intolerable into interested instead keeps kept kidding kids little limited limit life letting let lesser less legacy left leave learning layoff later last laid lack inflation increments increasses hiking hike higher high her el health he having havent have has hardly hard happy hand half had hikes history increases holder increased increase income in improvements im ill if idea husband hungry huge how households house hosehold horrible eliminating dont edge being biden biased biannually bf between better benefits benefit begin bill before becoming because became be barely bank back biggest billing card business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile away automatically adding again after afford adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about againlater agree all allow aren apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also almost allowed cant care easily date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers currently current currency creep deteriorated differences cared double earlier each duplicate due drive drastically drain down living different done do divorce disgusts disgusting discontinue disappointed direction credit covid courtesy charges climbing climb city choose choice checking cheaper charging charged country charge changing changes changed change cell caused caring college combine combining come costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming live loyal ll start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscription subscribers something some thats save sense selection seems see secure scaling scales saving same service run rules rule rotating risen rise ripped right series services so shouldn situation since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set that their location waste where when whats were went weeks week way was who warrant wants wanted want waiting wait vs virtue while why vaccine wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing value ut these times tracking town tooo too told today tired tipped tightening try tight throughout through this think things thing they tried trying using until uses users used us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two ridiculous return retiring nonesence offer off of now notified nothing not nonsense non offset nice next news newest new never need my offered often multiple options over outside out our others other original or option ok opportunity opening opened ontario oneday one once on must much retired luck may married market many manservices makes make made your me lower lost losing loose looking longer lol locations maybe means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member overpriced own owner raised really reality reactivate re rather rate raising raises raise recent quickly quality putting put pushed provider profits profit reason recently owning replace resume
Topic 27 | Coherence=-216007.52 | Top words= to with prices have high my at customer back unable due no service billing all help cut date change these gas every and re like limiting being trying won lost support dont opportunity greedy piracy job up going price political bills vaccine signaling replace enough access virtue cheaper medical free feel will alarming elsewhere about move play later learning from leave frequent forth future forever left forcing legacy for food fuel got games goes garbage good get less getting gf girl give layoff given gonna go gone focused let flat fair face life limit extra extortion expensive expenses expected everything limited even euro especially entertainment entertaining fact family fixed fan lesser gouging letting fix first financially financial finally fiance few feet fees fee fault far gotten great grandkids im joint just increased increase income in improvements justify issues ill if keep idea keeping husband keeps increases increasing join increasses it issue isnt isn its is iny intolerable into itself jacking interested instead inflation increments hungry huge how having lack has hardly laid hard happy hand half had hacking hackednot hacked guys last greed havent he households kids household house hosehold horrible holder kept history hiking hikes hike higher kidding her end health youre down emails benefit biggest biden biased biannually bf between better benefits begin away before been becoming because became be barely bank bill billings bit blindly card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both awhile automatically cared additional agree againlater again after afford adicional addtional addresses addition aunt adding added activities acct accounts account acceptance absurd allow allowed almost already as aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also care caring email decisions disappointed direction different differences didnt deteriorated delivering declined death current deal days day daughter damn dad cutting customers discontinue disgusting disgusts divorce else eliminating el edge easily earlier each duplicate drive drastically drain live double done don doesnt do currently currency caused choice come combining combine college climbing climb city choose checking creep charging charges charged charge changing changes changed cell coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised little loyal living start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone taking thanks thank than terrible temporary temporarily taste talk take sub system switching summer success subscriptions subscription subscribers subscriber something some ll saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense services so shouldn situation single since significant sign sight sick shoves should servicio short she sharing share shady several settled set that thats the way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while their wouldn youll you yet years yearly year yall ya would who worth workable work wont without willing wife why value ut using tightening tooo too told today tired tipped times time tight uses throughout through this think things thing they there town tracking tried try users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under two twice ripped right ridiculous nice of now notified nothing not nonsense nonesence non next offer news newest new never needed need must multiple off offered over opening out our others other original or options option opened offset ontario only oneday one once on ok often much moving moved your many manservices making makes make made luck loyalty lower more losing loose looking longer long lol locations location market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member means me outside overpriced return raising recent reason really reality reactivate rather rates rate raises recession raised raise quickly quality putting put pushed provider recently rectifying own residence retiring
Topic 28 | Coherence=-220608.38 | Top words= of you extra share charging because many your greedy subscriptions my out also past years over hikes fan not me with few cant grandkids stay without pay town work limit months for at moment unnecessary temporary cutting expenses want waste happy don same absurd every profit gouging get getting elsewhere girl gas hacked garbage games hackednot gf guys give given gotten go goes going gone greed gonna great good got fuel future enough from frequent fault far family fair fact face email emails extortion expensive expected everything end even euro especially entertainment fee feel fees flat free forth forever forcing food entertaining focused fixed feet fix hacking first financially financial finally fiance youre having had its keep justify just joint join job jacking itself it half issues issue isnt isn is iny intolerable into keeping keeps kept kidding limited like life letting let lesser less legacy left leave learning layoff later last laid lack kids interested instead inflation hosehold holder history hiking hike higher high her help health he eliminating havent have has hardly hard hand horrible house increments household increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how households else double el edge biased biannually bf between better benefits benefit being begin before been becoming became be barely bank back awhile away biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt as addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow an amounts amount amercian am already almost allowed cannot card care day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cut customers customer currently current differences direction creep down easily earlier each duplicate due drive drastically drain little disappointed dont done doesnt do divorce disgusts disgusting discontinue currency credit cared charges college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company limiting loyal live squeeze stopped stop stepdad stealing states starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some taking that thanks thank than terrible temporarily taste talk take sub system switching support summer success subscription subscribers subscriber someone so living saving selection seen seems see secure second scaling scales save series run rules rule rotating rising risen rise ripped sense service situation shouldn single since significant signaling sign sight sick shoves should services short she sharing shady several settled set servicio thats the their warrant were went well weeks week we way was wants whats wanted waiting wait vs virtue value vaccine ut what when there worth youll yet yearly year yall ya wouldn would workable where wont won willing will wife why who while using uses users tightening too told today to tired tipped times time tight used throughout through this think things thing they these tooo tracking tried try use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under unable two twice trying right ridiculous return no offer off now notified nothing nonsense nonesence non nice offset next news newest new never needed need must offered often owner option overpriced outside our others other original or options opportunity ok opening opened ontario only oneday one once on multiple much moving lost manservices making makes make made luck loyalty lower losing moved loose looking longer long lol locations location ll market married may maybe move more monthly month money monetary mom mistake mind might merge memberships membership members member medical means own owning retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying pagos reside retired
Topic 29 | Coherence=-213805.10 | Top words= that you to for pay guys just sharing want from stop because people and make dont business keep sense resubscribe decisions well something they prices doesnt making time when upping at huge charging by amounts raising won it users yearly prefer reality tried been last euro gas grandkids getting get entertaining fuel gf enough great games greed future garbage end girl good else elsewhere gonna got gone going email goes gotten entertainment go gouging emails given give expected food frequent free feel fee fault far every fan family fair fact face extra everything extortion expensive expenses even fees feet fixed forth forever forcing especially focused flat fix few first financially financial finally greedy fiance youre having hacked issue justify joint join job jacking itself its issues isnt keeps isn is iny intolerable into interested instead inflation keeping kept hackednot less limiting limited limit like life letting let lesser legacy kidding left leave learning layoff later laid lack kids increments increasses increasing havent hike higher high her help health he el have increases has hardly hard happy hand half had hacking hikes hiking history holder increased increase income in improvements im ill if idea husband hungry how households household house hosehold horrible eliminating don edge before biannually bf between better benefits benefit being begin becoming biden became be barely bank back awhile away automatically biased biggest easily budget cannot cancelling canceling cancel can bye but buggin broke bill break boyfriend both blindly bit bills billings billing aunt as aren adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways anymore any anticonsumer another annually an amount amercian am also already almost allowed allow cant card care date deteriorated delivering declined death deal days day daughter damn credit dad cutting cut customers customer currently current currency didnt differences different direction earlier each duplicate due drive drastically drain down double done live do divorce disgusts disgusting discontinue disappointed creep covid cared charges college climbing climb city choose choice checking cheaper charged courtesy charge changing changes changed change cell caused caring combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company little loyal living spouse stealing stay states starting started start squeeze spouses spending stopped spend span sorry soon son someone some so stepdad stopping single switching terrible temporary temporarily taste talk taking take system support stranger summer success subscriptions subscription subscribers subscriber sub stupid situation since ll rules secure second scaling scales saving save same run rule seems rotating rising risen rise ripped right ridiculous return see seen significant she signaling sign sight sick shoves shouldn should short share selection shady several settled set servicio services service series than thank thanks was what were went weeks week we way waste warrant where wants wanted waiting wait vs virtue value vaccine whats while thats worth youll yet years year yall ya wouldn would workable who work wont without with willing will wife why ut using uses throughout too told today tired tipped times tightening tight through used this think things thing these there their the tooo town tracking try use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retiring retired resume news nothing not nonsense nonesence non no nice next newest now new never needed need my must multiple much notified of others only original or options option opportunity opening opened ontario oneday off one once on ok often offset offered offer moving moved move lower market many manservices makes made luck loyalty your lost more losing loose looking longer long lol locations location married may maybe me months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means other our restriction quality re rather rates rate raises raised raise quickly putting really put pushed provider profits profit profiles problem pricing reactivate reason out renewing restrict
Topic 30 | Coherence=-222059.71 | Top words= are it you raising the prices will good if that only not consider email fact bye to me want again never issue forever reactivate makes come give rectifying this months back constantly business elsewhere take or your without gonna better youre because any differences improvements just fees monthly restart kept new under biased eliminating im continues reason bills services politically many is free idea gf expenses got grandkids expected getting get expensive gas great gouging especially girl everything extortion entertainment given every go even goes euro gotten going gone garbage forth games extra feel feet fee few fault fiance finally financial far financially first fan greedy fix fixed flat family focused food for forcing fair face frequent from fuel future greed high guys increasses keep justify joint join job jacking itself its issues isnt isn iny intolerable into interested instead inflation keeping keeps kidding legacy limit like life letting let lesser less left kids leave learning layoff later last laid lack increments increasing hacked increases enough her help health he having havent have has hardly hard happy hand half had hacking hackednot higher hike hikes huge increased increase income in ill husband hungry how hiking households household house hosehold horrible holder history entertaining drive end before biden biannually bf between benefits benefit being begin been bill becoming became be barely bank awhile away automatically biggest billing emails by care card cant cannot cancelling canceling cancel can but billings buggin budget broke break boyfriend both blindly bit aunt at as adding againlater after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore anticonsumer another annually and an amounts amount amercian am also already almost allowed cared caring caused decisions discontinue disappointed direction different didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting disgusting disgusts divorce do else el edge easily earlier each duplicate due limiting drastically drain down double dont done don doesnt cut customer cell checking combining combine college climbing climb city choose choice cheaper currently charging charges charged charge changing changes changed change coming company compared competitive current currency creep credit covid courtesy country costs cost continuous continue continually continously constant consolidating connected compromised limited loyal little started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub there talk thats thanks thank than terrible temporary temporarily taste taking subscriber system switching support summer success subscriptions subscription subscribers son something someone second service series sense selection seen seems see secure scaling some scales saving save same run rules rule rotating servicio set settled several so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady their these risen way whats what were went well weeks week we waste where was warrant wants wanted waiting wait vs virtue when while they would youll yet years yearly year yall ya wouldn worth who workable work wont won with willing wife why value vaccine ut tipped tried tracking town tooo too told today tired times using time tightening tight throughout through think things thing try trying twice two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable rising rise live non offer off of now notified nothing nonsense nonesence no offset nice next news newest needed need my must offered often owner options overpriced over outside out our others other original option ok opportunity opening opened ontario oneday one once on multiple much moving losing manservices making make made luck loyalty lower lost loose moved looking longer long lol locations location ll living market married may maybe move more month money monetary moment mom mistake mind might merge memberships membership members member medical means own owning ripped rate recession recently recent really reality re rather rates raises reduce raised raise quickly quality putting put pushed provider redo reducing pagos restrict right
Topic 31 | Coherence=-222689.96 | Top words= this only to of if being keep other begin need understand hiking means were cared greedy leave wouldn prices with ll high enough us re up about for you when what paying that just start again things before first take care one subscription time the news sub households combine disappointed in constant done less creep continually now town people moved great got gas gotten garbage games gonna grandkids girl gouging gone good going goes future go getting given gf give get youre fuel from family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining end emails email fan far fault fixed frequent free forth forever greed food focused flat fix fee financially financial finally fiance few feet fees feel forcing he guys isnt job jacking itself its it issues issue isn joint is iny intolerable into interested instead inflation join justify increasses layoff life letting let lesser legacy left learning later keeping last laid lack kids kidding kept keeps increments increasing hacked has her help health else having havent have hardly hike hard happy hand half had hacking hackednot higher hikes increases husband increased increase income improvements im ill idea hungry history huge how household house hosehold horrible holder elsewhere doesnt eliminating because biannually bf between better benefits benefit been becoming became biden be barely bank back awhile away automatically aunt biased biggest el budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing at as aren addition agree againlater after afford adicional addtional addresses additional adding are added activities acct accounts account access acceptance absurd alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost cancelling cannot cant days differences didnt deteriorated delivering declined decisions death deal day current daughter date damn dad cutting cut customers customer different direction discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont don limit do divorce disgusts currently currency card charges climbing climb city choose choice checking cheaper charging charged credit charge changing changes changed change cell caused caring college combining come coming covid courtesy country costs cost continuous continues continue continously constantly consolidating consider connected compromised competitive compared company like loyal limited soon started squeeze spouses spouse spending spend span sorry son states something someone some so situation single since significant starting stay limiting success temporarily taste talk taking system switching support summer subscriptions stealing subscribers subscriber stupid stranger stopping stopped stop stepdad signaling sign sight rule second scaling scales saving save same run rules rotating sick rising risen rise ripped right ridiculous return retiring secure see seems seen shoves shouldn should short she sharing share shady several settled set servicio services service series sense selection temporary terrible than was whats went well weeks week we way waste warrant ut wants wanted want waiting wait vs virtue value where while who why youll yet years yearly year yall ya would worth workable work wont won without willing will wife vaccine using thank throughout too told today tired tipped times tightening tight through uses think thing they these there their thats thanks tooo tracking tried try users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying retired resume resubscribe new not nonsense nonesence non no nice next newest never monthly needed my must multiple much moving move more nothing notified off offer our others original or options option opportunity opening opened ontario oneday once on ok often offset offered months month outside loose make made luck loyalty your lower lost losing looking money longer long lol locations location living live little makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical me maybe may married market out over restriction raise reality reactivate rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles really reason recent recently
Topic 32 | Coherence=-220446.90 | Top words= the it price in me use are months you just can your my do time rates as moved than higher thing others who many increases same has last but see by keeps other selection hardly cancel goes tipped scales direction finally increasing pushed continually one edge over month first is didnt let system workable dont never broke twice for short covid sense youll some ll gonna free good forth garbage future gas frequent from fuel gf gone going get go given getting give girl games youre forever every face extra extortion expensive expenses expected everything even fair euro especially entertainment entertaining enough end emails fact family forcing fiance food focused flat fixed fix financially financial few fan gotten feet fees feel fee fault far got havent gouging grandkids jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses increased increase job join joint layoff letting lesser less legacy left leave learning later justify laid lack kids kidding kept keeping keep income improvements im half he having elsewhere have hard happy hand had help hacking hackednot hacked guys greedy greed great health her ill household if idea husband hungry huge how households house high hosehold horrible holder history hiking hikes hike email don else because better benefits benefit being begin before been becoming became bf be barely bank back awhile away automatically aunt between biannually eliminating boyfriend cannot cancelling canceling bye business buggin budget break both biased blindly bit bills billings billing bill biggest biden at aren apps adding again after afford adicional addtional addresses additional addition added aparently activities acct accounts account access acceptance absurd about againlater agree alarming all anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed allow cant card care daughter deteriorated delivering declined decisions death deal days day date creep damn dad cutting cut customers customer currently current differences different disappointed discontinue el easily earlier each duplicate due drive drastically drain down double done like doesnt divorce disgusts disgusting currency credit cared charges climbing climb city choose choice checking cheaper charging charged courtesy charge changing changes changed change cell caused caring college combine combining come country costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared company coming life loyal limit start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid limited taking that thanks thank terrible temporary temporarily taste talk take sub switching support summer success subscriptions subscription subscribers subscriber something someone so rules seen seems secure second scaling saving save run rule situation rotating rising risen rise ripped right ridiculous return series service services servicio single since significant signaling sign sight sick shoves shouldn should she sharing share shady several settled set thats their there way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs when where while why yet years yearly year yall ya wouldn would worth work wont won without with willing will wife virtue vaccine these tired tried tracking town tooo too told today to times ut tightening tight throughout through this think things they try trying two unable using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under retiring retired resume nice now notified nothing not nonsense nonesence non no next move news newest new needed need must multiple much of off offer offered out our original or options option opportunity opening opened ontario only oneday once on ok often offset moving more overpriced looking make made luck loyalty lower lost losing loose longer monthly long lol locations location living live little limiting makes making manservices market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married outside own resubscribe raised really reality reactivate re rather rate raising raises raise pricing quickly quality putting put provider profits profit profiles reason recent recently recession
Topic 33 | Coherence=-220708.77 | Top words= too it expensive for prices much me now worth going not keep are no unfortunately upward increases service company increasing many like getting high new consider biannually but seems rule given stupid fees maybe thanks itself amount people later right never its using way vs entertaining whats offered raising easily hackednot prescription benefits often secure longer adding nonsense ill moving overpriced kept quality agree free frequent forth gf from go gotten got good gonna gone goes give fuel girl get gas garbage games future forever youre forcing food fair fact face extra extortion expenses expected everything every even euro especially entertainment enough end family fan far financial focused flat fixed fix first financially grandkids fault finally fiance few feet feel fee gouging help great iny job jacking issues issue isnt isn is intolerable joint into interested instead inflation increments increasses increased join just income learning letting let lesser less legacy left leave layoff justify last laid lack kids kidding keeps keeping increase in greed hard health he having havent have has hardly happy her hand half had hacking hacked guys greedy email higher improvements households im if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes emails down elsewhere else biggest biden biased bf between better benefit being begin before been becoming because became be barely bank back awhile bill billing billings by card cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit away automatically aunt addition againlater again after afford adicional addtional addresses additional added all activities acct accounts account access acceptance absurd about alarming allow at another as aren apps aparently anyways anymore any anticonsumer annually allowed and an amounts amercian am also already almost care cared caring deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drastically eliminating el edge earlier each duplicate due drive drain disgusting double dont done don doesnt do divorce disgusts customer current caused cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming currency continues creep credit covid courtesy country costs cost continuous continue compared continually continously constantly constant consolidating connected compromised competitive life loyal limit starting stranger stopping stopped stop stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers limited taste the thats that thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions soon son something scaling servicio services series sense selection seen see second scales someone saving save same run rules rotating rising risen set settled several shady some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share their there these week while where when what were went well weeks we value waste was warrant wants wanted want waiting wait who why wife will youll you yet years yearly year yall ya wouldn would workable work wont won without with willing virtue vaccine they times tracking town tooo told today to tired tipped time ut tightening tight throughout through this think things thing tried try trying twice uses users used use us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two rise ripped ridiculous next offer off of notified nothing nonesence non nice news months newest needed need my must multiple moved move offset ok on once over outside out our others other original or options option opportunity opening opened ontario only oneday one more monthly owner looking made luck loyalty your lower lost losing loose long month lol locations location ll living live little limiting make makes making manservices money monetary moment mom mistake mind might merge memberships membership members member medical means may married market own owning return rather recession recently recent reason really reality reactivate re rates profits rate raises raised raise quickly putting put pushed rectifying redo reduce reducing
 71%|███████   | 34/48 [1:59:13<1:13:08, 313.43s/it]
Topic 34 | Coherence=-219343.77 | Top words= price dont tried offer shady fact raised almost once cancel with used also you pay like your that subscriptions the future two profiles expected issues house sharing hikes one in moved need significant more family have currently other aparently multiple agree our than merge households reside apps virtue do garbage fuel games from gas given get gonna greed great grandkids gouging gotten got good gone getting going goes go free give girl gf frequent youre forth even fair face extra extortion expensive expenses everything every euro forever especially entertainment entertaining enough end emails email elsewhere fan far fault fee forcing for food focused flat fixed guys fix first financially financial finally fiance few feet fees feel greedy he hacked instead keep justify just joint join job jacking itself its it issue isnt isn is iny intolerable into keeping keeps kept left limit life letting let lesser less legacy leave kidding learning layoff later last laid lack kids interested inflation hackednot increments hiking hike higher high her help health having havent has hardly hard happy hand half had hacking history holder horrible im increasses increasing increases increased increase income improvements ill hosehold if idea husband hungry huge how household else drain eliminating el biden biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back biggest bill billing business cant cannot cancelling canceling can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile away automatically adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about againlater all aunt another at as aren are anyways anymore any anticonsumer annually allow and an amounts amount amercian am already allowed card care cared day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer current differences direction creep limiting edge easily earlier each duplicate due drive drastically down disappointed double done don doesnt divorce disgusts disgusting discontinue currency credit caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company limited loyal little started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub these talk their thats thanks thank terrible temporary temporarily taste taking subscriber take system switching support summer success subscription subscribers son something someone scales sense selection seen seems see secure second scaling saving some save same run rules rule rotating rising risen series service services servicio so situation single since signaling sign sight sick shoves shouldn should short she share several settled set there they ripped we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who thing would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife vs value vaccine tipped tracking town tooo too told today to tired times ut time tightening tight throughout through this think things try trying twice unable using uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right live nice now notified nothing not nonsense nonesence non no next off news newest new never needed my must much of offered owner option overpriced over outside out others original or options opportunity offset opening opened ontario only oneday on ok often moving move months losing making makes make made luck loyalty lower lost loose monthly looking longer long lol locations location ll living manservices many market married month money monetary moment mom mistake mind might memberships membership members member medical means me maybe may own owning ridiculous rates recently recent reason really reality reactivate re rather rate rectifying raising raises raise quickly quality putting put pushed recession redo pagos respect return
Average topic coherence for the top words is -223111.35766934868
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.38it/s]
  4%|▍         | 2/50 [00:00<00:08,  5.36it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.38it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.38it/s]
 10%|█         | 5/50 [00:00<00:08,  5.34it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.33it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.33it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.37it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.37it/s]
 20%|██        | 10/50 [00:01<00:07,  5.41it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.38it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.41it/s]
 26%|██▌       | 13/50 [00:02<00:06,  5.33it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.33it/s]
 30%|███       | 15/50 [00:02<00:06,  5.35it/s]
 32%|███▏      | 16/50 [00:02<00:06,  5.35it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.33it/s]
 36%|███▌      | 18/50 [00:03<00:05,  5.36it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.38it/s]
 40%|████      | 20/50 [00:03<00:05,  5.39it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.38it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.36it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.38it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.40it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.40it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.41it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.39it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.39it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.38it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.38it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.38it/s]
 64%|██████▍   | 32/50 [00:05<00:03,  5.38it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.35it/s]
 68%|██████▊   | 34/50 [00:06<00:02,  5.37it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.38it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.36it/s]
 74%|███████▍  | 37/50 [00:06<00:02,  5.38it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.37it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.39it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.40it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.35it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.37it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.40it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.38it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.38it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.37it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.37it/s]
 96%|█████████▌| 48/50 [00:08<00:00,  5.37it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.37it/s]
100%|██████████| 50/50 [00:09<00:00,  5.37it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.80it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.71it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.71it/s]
  8%|▊         | 4/50 [00:00<00:06,  6.69it/s]
 10%|█         | 5/50 [00:00<00:06,  6.68it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.67it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.65it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.67it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.66it/s]
 20%|██        | 10/50 [00:01<00:06,  6.66it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.68it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.66it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.66it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.66it/s]
 30%|███       | 15/50 [00:02<00:05,  6.66it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.67it/s]
 34%|███▍      | 17/50 [00:02<00:04,  6.67it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.66it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.66it/s]
 40%|████      | 20/50 [00:02<00:04,  6.66it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.65it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.65it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.62it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.61it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.62it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.64it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.66it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.66it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.65it/s]
 60%|██████    | 30/50 [00:04<00:02,  6.67it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.66it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.66it/s]
 66%|██████▌   | 33/50 [00:04<00:02,  6.66it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.62it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.61it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.64it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.65it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.61it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.60it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.62it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.65it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.63it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.63it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.64it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.65it/s]
 92%|█████████▏| 46/50 [00:06<00:00,  6.65it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.64it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.65it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.67it/s]
100%|██████████| 50/50 [00:07<00:00,  6.65it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.56it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.57it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.57it/s]
  8%|▊         | 4/50 [00:01<00:12,  3.55it/s]
 10%|█         | 5/50 [00:01<00:12,  3.56it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.54it/s]
 14%|█▍        | 7/50 [00:01<00:12,  3.53it/s]
 16%|█▌        | 8/50 [00:02<00:11,  3.52it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.50it/s]
 20%|██        | 10/50 [00:02<00:11,  3.48it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.48it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.49it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.50it/s]
 28%|██▊       | 14/50 [00:03<00:10,  3.52it/s]
 30%|███       | 15/50 [00:04<00:09,  3.53it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.54it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.55it/s]
 36%|███▌      | 18/50 [00:05<00:08,  3.56it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.57it/s]
 40%|████      | 20/50 [00:05<00:08,  3.57it/s]
 42%|████▏     | 21/50 [00:05<00:08,  3.57it/s]
 44%|████▍     | 22/50 [00:06<00:07,  3.56it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.55it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.55it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.57it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.56it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.56it/s]
 56%|█████▌    | 28/50 [00:07<00:06,  3.55it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.56it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.56it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.56it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.56it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.56it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.56it/s]
 70%|███████   | 35/50 [00:09<00:04,  3.57it/s]
 72%|███████▏  | 36/50 [00:10<00:03,  3.58it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.56it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.56it/s]
 78%|███████▊  | 39/50 [00:10<00:03,  3.56it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.56it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.54it/s]
 84%|████████▍ | 42/50 [00:11<00:02,  3.54it/s]
 86%|████████▌ | 43/50 [00:12<00:01,  3.54it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.56it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.56it/s]
 92%|█████████▏| 46/50 [00:12<00:01,  3.57it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.55it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.56it/s]
 98%|█████████▊| 49/50 [00:13<00:00,  3.57it/s]
100%|██████████| 50/50 [00:14<00:00,  3.55it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:17,  2.75it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.71it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.70it/s]
  8%|▊         | 4/50 [00:01<00:16,  2.71it/s]
 10%|█         | 5/50 [00:01<00:16,  2.72it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.74it/s]
 14%|█▍        | 7/50 [00:02<00:15,  2.72it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.72it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.73it/s]
 20%|██        | 10/50 [00:03<00:14,  2.73it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.73it/s]
 24%|██▍       | 12/50 [00:04<00:13,  2.73it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.73it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.73it/s]
 30%|███       | 15/50 [00:05<00:12,  2.73it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.73it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.73it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.74it/s]
 38%|███▊      | 19/50 [00:06<00:11,  2.73it/s]
 40%|████      | 20/50 [00:07<00:11,  2.72it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.71it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.71it/s]
 46%|████▌     | 23/50 [00:08<00:09,  2.72it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.72it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.72it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.71it/s]
 54%|█████▍    | 27/50 [00:09<00:08,  2.71it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.72it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.72it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.71it/s]
 62%|██████▏   | 31/50 [00:11<00:06,  2.72it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.72it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.72it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.72it/s]
 70%|███████   | 35/50 [00:12<00:05,  2.72it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.72it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.72it/s]
 76%|███████▌  | 38/50 [00:13<00:04,  2.72it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.72it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.71it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.72it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.72it/s]
 86%|████████▌ | 43/50 [00:15<00:02,  2.73it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.73it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.73it/s]
 92%|█████████▏| 46/50 [00:16<00:01,  2.73it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.72it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.73it/s]
 98%|█████████▊| 49/50 [00:17<00:00,  2.73it/s]
100%|██████████| 50/50 [00:18<00:00,  2.72it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:26,  1.83it/s]
  4%|▍         | 2/50 [00:01<00:26,  1.82it/s]
  6%|▌         | 3/50 [00:01<00:25,  1.81it/s]
  8%|▊         | 4/50 [00:02<00:25,  1.82it/s]
 10%|█         | 5/50 [00:02<00:24,  1.82it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.82it/s]
 14%|█▍        | 7/50 [00:03<00:23,  1.82it/s]
 16%|█▌        | 8/50 [00:04<00:22,  1.83it/s]
 18%|█▊        | 9/50 [00:04<00:22,  1.81it/s]
 20%|██        | 10/50 [00:05<00:22,  1.81it/s]
 22%|██▏       | 11/50 [00:06<00:21,  1.82it/s]
 24%|██▍       | 12/50 [00:06<00:20,  1.81it/s]
 26%|██▌       | 13/50 [00:07<00:20,  1.82it/s]
 28%|██▊       | 14/50 [00:07<00:19,  1.82it/s]
 30%|███       | 15/50 [00:08<00:19,  1.83it/s]
 32%|███▏      | 16/50 [00:08<00:18,  1.82it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.83it/s]
 36%|███▌      | 18/50 [00:09<00:17,  1.82it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.82it/s]
 40%|████      | 20/50 [00:10<00:16,  1.82it/s]
 42%|████▏     | 21/50 [00:11<00:15,  1.82it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.82it/s]
 46%|████▌     | 23/50 [00:12<00:14,  1.83it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.83it/s]
 50%|█████     | 25/50 [00:13<00:13,  1.83it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.83it/s]
 54%|█████▍    | 27/50 [00:14<00:12,  1.83it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.82it/s]
 58%|█████▊    | 29/50 [00:15<00:11,  1.83it/s]
 60%|██████    | 30/50 [00:16<00:10,  1.82it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.81it/s]
 64%|██████▍   | 32/50 [00:17<00:09,  1.82it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.83it/s]
 68%|██████▊   | 34/50 [00:18<00:08,  1.83it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.82it/s]
 72%|███████▏  | 36/50 [00:19<00:07,  1.83it/s]
 74%|███████▍  | 37/50 [00:20<00:07,  1.83it/s]
 76%|███████▌  | 38/50 [00:20<00:06,  1.83it/s]
 78%|███████▊  | 39/50 [00:21<00:06,  1.83it/s]
 80%|████████  | 40/50 [00:21<00:05,  1.83it/s]
 82%|████████▏ | 41/50 [00:22<00:04,  1.82it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.83it/s]
 86%|████████▌ | 43/50 [00:23<00:03,  1.82it/s]
 88%|████████▊ | 44/50 [00:24<00:03,  1.82it/s]
 90%|█████████ | 45/50 [00:24<00:02,  1.83it/s]
 92%|█████████▏| 46/50 [00:25<00:02,  1.83it/s]
 94%|█████████▍| 47/50 [00:25<00:01,  1.82it/s]
 96%|█████████▌| 48/50 [00:26<00:01,  1.82it/s]
 98%|█████████▊| 49/50 [00:26<00:00,  1.82it/s]
100%|██████████| 50/50 [00:27<00:00,  1.82it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.80it/s]
Topic 0 | Coherence=-227453.60 | Top words= so only gonna reason it better raising cheaper kept out people other services using if charging im charge your youre are was now prices for that subscription extra you keep and with will moved in is my who subscriber but someone rejoin get once son moving later increases settled already has alarming pagos por boyfriend cancelling reality temporarily adicional servicio el there customer caring rates loyalty or join emails household should garbage enough gas good getting every gone going even gf goes girl go entertaining entertainment especially given euro give face forth games feel fiance few feet expenses expensive fees fee financial fault far fan family extortion fair finally financially future forever fuel everything from frequent free fact forcing first food focused expected flat fixed fix got hard gotten intolerable itself its issues issue isnt isn iny into job interested instead inflation increments increasses increasing increased jacking joint income layoff let lesser less legacy left leave learning last just laid lack kids kidding keeps keeping justify increase improvements gouging had having havent have hardly happy hand half hacking health hackednot hacked guys greedy greed great grandkids he help ill hosehold idea husband hungry huge how households house horrible her holder history hiking hikes hike higher high end dont email before biased biannually bf between benefits benefit being begin been biggest becoming because became be barely bank back awhile biden bill cared business card cant cannot canceling cancel can bye by buggin billing budget broke break both blindly bit bills billings away automatically aunt adding againlater again after afford addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree all allow allowed as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also almost care caused elsewhere decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts cell drive else eliminating edge easily earlier each duplicate due drastically divorce drain down double life done don doesnt do cut customers currently city company coming come combining combine college climbing climb choose current choice checking charges charged changing changes changed change compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider letting loyal like starting stranger stopping stopped stop stepdad stealing stay states started something start squeeze spouses spouse spending spend span sorry stupid sub subscribers subscriptions their the thats thanks thank than terrible temporary taste talk taking take system switching support summer success soon some they same seems see secure second scaling scales saving save run situation rules rule rotating rising risen rise ripped right seen selection sense series single since significant signaling sign sight sick shoves shouldn short she sharing share shady several set service these thing limit way whats what were went well weeks week we waste vaccine warrant wants wanted want waiting wait vs virtue when where while why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife value ut things tired tried tracking town tooo too told today to tipped uses times time tightening tight throughout through this think try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous return retiring never nonesence non no nice next news newest new needed money need must multiple much move more months monthly nonsense not nothing notified original options option opportunity opening opened ontario oneday one on ok often offset offered offer off of month monetary retired long made luck lower lost losing loose looking longer lol moment locations location ll living live little limiting limited make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many others our outside quickly really reactivate re rather rate raises raised raise quality over putting put pushed provider profits profit profiles problem recent recently recession
Topic 1 | Coherence=-225675.96 | Top words= to the price for are your is not increase will raising prices year again elsewhere take willing months constantly business you options cancel something rate support my great us raised increasses each offset start there newest absurd bye long using moved while stupid too lower else pls caused buggin entertaining charges last more even stop creep ll original gf give expected given girl every euro especially everything gone go goes going get gonna good got gotten entertainment enough end gouging grandkids greed greedy getting feel gas fixed fix fact first fair financially financial finally family fan far fault fiance fee few feet face flat garbage extra games fees future fuel from frequent free expenses forth forever forcing expensive extortion food focused guys youre hacked just join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments joint justify hackednot keep letting let lesser less legacy left leave learning layoff later laid lack kids kidding kept keeps keeping increasing increases increased income higher high her help health emails having havent have has hardly hard happy hand half had hacking hike hikes hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder he double email been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden aunt broke cant cannot cancelling canceling can by but budget break biggest boyfriend both blindly bit bills billings billing bill automatically at eliminating addition agree againlater after afford adicional addtional addresses additional adding all added activities acct accounts account access acceptance about alarming allow as annually aren apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost card care cared deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue caring drain el edge easily earlier duplicate due drive drastically down disgusting like dont done don doesnt do divorce disgusts customer currently current checking combining combine college climbing climb city choose choice cheaper currency charging charged charge changing changes changed change cell come coming company compared credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised competitive life loyal limit spouse stepdad stealing stay states starting started squeeze spouses spending single spend span sorry soon son someone some so stopped stopping stranger sub thanks thank than terrible temporary temporarily taste talk taking system switching summer success subscriptions subscription subscribers subscriber situation since thats save seen seems see secure second scaling scales saving same significant run rules rule rotating rising risen rise ripped selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services that their ridiculous waste what were went well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue whats when where who youll yet years yearly yall ya wouldn would worth workable work wont won without with wife why value ut these time tracking town tooo told today tired tipped times tightening uses tight throughout through this think things thing they tried try trying twice users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right return limited nice of now notified nothing nonsense nonesence non no next move news new never needed need must multiple much off offer offered often outside out our others other or option opportunity opening opened ontario only oneday one once on ok moving monthly overpriced loose making makes make made luck loyalty lost losing looking month longer lol locations location living live little limiting manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may over own retiring rates recently recent reason really reality reactivate re rather raises profiles raise quickly quality putting put pushed provider profits recession rectifying redo reduce
Topic 2 | Coherence=-210002.16 | Top words= to be will need back month cut just of payment end move expenses long getting raised way has platform almost high another increased rent renewing per while awhile costs for currently married combining phone through using accounts looking week instead own retiring must provider used date switching something increasing college subscribers paying her boyfriend unneeded less replace me first go given give everything expected expensive even girl extortion gf extra get every goes euro garbage going especially gone entertainment entertaining enough gonna emails good email got gotten gas face financially food financial fix finally grandkids fiance fixed few flat feet fees feel fee focused fault fact far forcing forever fan forth free frequent from fuel future games family fair gouging youre great justify join job jacking itself its it issues issue isnt isn is iny intolerable into interested inflation increments joint keep greed keeping life letting let lesser legacy left leave learning layoff later last laid lack kids kidding kept keeps increasses increases increase income higher help health he having have hardly hard happy hand half had hacking hackednot hacked guys greedy hike hikes hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder havent drive elsewhere being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank away biggest billing aunt but cant cannot cancelling canceling cancel can bye by business billings buggin budget broke break both blindly bit bills automatically at else addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct account access acceptance absurd about agree all as annually aren are apps aparently anyways anymore any anticonsumer and allow an amounts amount amercian am also already allowed card care cared decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter damn dad cutting customers discontinue disgusts caring limit eliminating el edge easily earlier each duplicate due drastically divorce drain down double dont done don doesnt do customer current currency charging combine climbing climb city choose choice checking cheaper charges creep charged charge changing changes changed change cell caused come coming company compared credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive like loyal limited started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub risen taste thats that thanks thank than terrible temporary temporarily talk subscriber taking take system support summer success subscriptions subscription son someone some second service series sense selection seen seems see secure scaling so scales saving save same run rules rule rotating services servicio set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several the their there we where when whats what were went well weeks waste value was warrant wants wanted want waiting wait vs who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue vaccine these times tracking town tooo too told today tired tipped time ut tightening tight throughout this think things thing they tried try trying twice uses users use us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand under unable two rising rise limiting nice now notified nothing not nonsense nonesence non no next offer news newest new never needed my multiple much off offered ripped opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moving moved more losing makes make made luck loyalty your lower lost loose months longer lol locations location ll living live little making manservices many market monthly money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may out outside over rates recently recent reason really reality reactivate re rather rate profit raising raises raise quickly quality putting put pushed recession rectifying redo reduce
Topic 3 | Coherence=-229323.47 | Top words= subscription you money the and extra don my family when increase using with share about that like of outside bill want news limit power idea paying states to too is just some another going spend save losing trying keeps hosehold job over cant how month taking up hacked on having fix business hard daughter cost unable agree financial issues due kids payment were getting fee residence gonna frequent from good fuel gone gas future games garbage goes give go get given gf free girl first forth euro extortion expensive expenses expected everything every even especially fact entertainment entertaining enough end emails email elsewhere face fair forever financially forcing for food focused flat fixed gotten finally fan fiance few feet fees feel fault far got havent gouging grandkids join jacking itself its it issue isnt isn iny intolerable into interested instead inflation increments increasses increasing joint justify keep leave life letting let lesser less legacy left learning keeping layoff later last laid lack kidding kept increases increased income hand health he eliminating have has hardly happy half her had hacking hackednot guys greedy greed great help high in households improvements im ill if husband hungry huge household higher house horrible holder history hiking hikes hike else youre el been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden edge budget cancelling canceling cancel can bye by but buggin broke biggest break boyfriend both blindly bit bills billings billing automatically aunt at addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts account access acceptance absurd alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost cannot card care date deteriorated delivering declined decisions death deal days day damn credit dad cutting cut customers customer currently current currency didnt differences different direction easily earlier each duplicate drive drastically drain down double dont done do divorce disgusts disgusting discontinue disappointed creep covid cared charges climbing climb city choose choice checking cheaper charging charged courtesy charge changing changes changed change cell caused caring college combine combining come country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming doesnt loyal limited spending stealing stay starting started start squeeze spouses spouse span stop sorry soon son something someone so situation single stepdad stopped resume switching than terrible temporary temporarily taste talk take system support stopping summer success subscriptions subscribers subscriber sub stupid stranger since significant signaling rule secure second scaling scales saving same run rules rotating sign rising risen rise ripped right ridiculous return retiring see seems seen selection sight sick shoves shouldn should short she sharing shady several settled set servicio services service series sense thank thanks thats way where whats what went well weeks week we waste vaccine was warrant wants wanted waiting wait vs virtue while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value ut their tight tooo told today tired tipped times time tightening throughout uses through this think things thing they these there town tracking tried try users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under two twice retired resubscribe limiting new not nonsense nonesence non no nice next newest never notified needed need must multiple much moving moved move nothing now restriction ontario other original or options option opportunity opening opened only off oneday one once ok often offset offered offer more months monthly looking make made luck loyalty your lower lost loose longer monetary long lol locations location ll living live little makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market others our out raise reactivate re rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles reality really reason recent
Topic 4 | Coherence=-229954.04 | Top words= price the increases subscription my will we pay ridiculous is different have change upcoming use anticonsumer fee locations where service in now going for on many and to you as wife through left divorce courtesy this subscriptions are laid reducing off expenses moving same afford raising double drain barely payment emails down thank gouging phone own lack another sorry need opening end cheaper sick replace free everything getting every gf get even gas girl euro give few go given games especially goes entertainment entertaining enough gone gonna good got gotten email garbage future expected flat fees feel fault fiance grandkids financial far fan financially first fix family fixed focused feet food fair forcing forever fact forth face frequent from fuel extra extortion expensive finally youre great join jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing job joint increase just letting let lesser less legacy leave learning layoff later last kids kidding kept keeps keeping keep justify increased income greed high help health he having havent elsewhere hardly hard happy hand half had hacking hackednot hacked guys greedy her higher improvements hike im ill if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes has done else being biden biased biannually bf between better benefits benefit begin away before been becoming because became be bank back biggest bill billing billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills awhile automatically cant adding againlater again after adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about agree alarming all allow at aren apps aparently anyways anymore any annually an amounts amount amercian am also already almost allowed cannot card eliminating daughter deteriorated delivering declined decisions death deal days day date creep damn dad cutting cut customers customer currently current didnt differences direction disappointed el edge easily earlier each duplicate due drive drastically dont like don doesnt do disgusts disgusting discontinue currency credit care charges college climbing climb city choose choice checking charging charged covid charge changing changes changed cell caused caring cared combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company life loyal limit squeeze stop stepdad stealing stay states starting started start spouses so spouse spending spend span soon son something someone stopped stopping stranger stupid thanks than terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber sub some situation thats save seen seems see secure second scaling scales saving run single rules rule rotating rising risen rise ripped right selection sense series services since significant signaling sign sight shoves shouldn should short she sharing share shady several settled set servicio that their retiring waste whats what were went well weeks week way was vaccine warrant wants wanted want waiting wait vs virtue when while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut there times tracking town tooo too told today tired tipped time using tightening tight throughout think things thing they these tried try trying twice uses users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired limited new nonsense nonesence non no nice next news newest never month needed must multiple much moved move more months not nothing notified of other original or options option opportunity opened ontario only oneday one once ok often offset offered offer monthly money our looking made luck loyalty your lower lost losing loose longer monetary long lol location ll living live little limiting make makes making manservices moment mom mistake mind might merge memberships membership members member medical means me maybe may married market others out resume raise reality reactivate re rather rates rate raises raised quickly pricing quality putting put pushed provider profits profit profiles really reason recent recently
Topic 5 | Coherence=-225227.47 | Top words= too many and your price access you subscription is why am increments luck canceling checking now greed the we good where be will new expensive charges added increasing their tracking increase how they people quality value up little delivering high continually cost while point fees down becoming rules went expenses on cutting sharing lol unnecessary prescription out fuel pleased no using keep warrant gotten future emails great entertainment games grandkids gouging entertaining give enough garbage end gonna gone gas going get getting goes go gf girl given got extortion from far few feet feel fee fault everything fan fiance family expected fair fact face extra every even frequent focused free especially forth forever forcing food flat finally fixed euro fix first financially financial for youre greedy just join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increasses joint justify guys keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increases increased income in help elsewhere health he having havent have has hardly hard happy hand half had hacking hackednot hacked her higher hike huge improvements im ill if idea husband hungry households hikes household house hosehold horrible holder history hiking email don else begin biased biannually bf between better benefits benefit being before biggest been because became barely bank back awhile away biden bill eliminating buggin cannot cancelling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at additional agree againlater again after afford adicional addtional addresses addition as adding activities acct accounts account acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost cant card care deal direction different differences didnt deteriorated declined decisions death days current day daughter date damn dad cut customers customer disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain double dont done like doesnt do divorce currently currency cared charging combine college climbing climb city choose choice cheaper charged creep charge changing changes changed change cell caused caring combining come coming company credit covid courtesy country costs continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared life loyal limit spend states starting started start squeeze spouses spouse spending span since sorry soon son something someone some so situation stay stealing stepdad stop taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping stopped single significant temporary run see secure second scaling scales saving save same rule signaling rotating rising risen rise ripped right ridiculous return seems seen selection sense sign sight sick shoves shouldn should short she share shady several settled set servicio services service series temporarily terrible retired wants what were well weeks week way waste was wanted used want waiting wait vs virtue vaccine ut uses whats when who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing users use than this tired tipped times time tightening tight throughout through think us things thing these there thats that thanks thank to today told tooo upward upping upcoming until unneeded unfortunately unfair unemployed understand under unable two twice trying try tried town retiring resume limited newest nothing not nonsense nonesence non nice next news never more needed need my must multiple much moving moved notified of off offer other original or options option opportunity opening opened ontario only oneday one once ok often offset offered move months our loose making makes make made loyalty lower lost losing looking monthly longer long locations location ll living live limiting manservices market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe others outside resubscribe raises really reality reactivate re rather rates rate raising raised problem raise quickly putting put pushed provider profits profit reason recent recently recession
Topic 6 | Coherence=-222478.43 | Top words= to change of need billing country for date service at no less unable customer paying all help your creep waste why done money keep is constant work out learning household limiting more terrible time rather would due spend my and the several discontinue only moment weeks sharing single use expenses temporary new greedy get right reality buggin starting hand barely another few pricing different going gotten given got good girl gonna gf from frequent garbage getting fuel gone go future goes games gas give fix free expected family fair fact face extra extortion expensive everything forth every even euro especially entertainment entertaining enough fan far fault fee forever forcing food focused flat fixed grandkids first financially financial finally fiance feet fees feel gouging youre great join jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing job joint increased just letting let lesser legacy left leave layoff later last laid lack kids kidding kept keeps keeping justify increases increase greed higher her health he emails having havent have has hardly hard happy half had hacking hackednot hacked guys high hike income hikes in improvements im ill if idea husband hungry huge how households house hosehold horrible holder history hiking end don email before biannually bf between better benefits benefit being begin been aunt becoming because became be bank back awhile away biased biden biggest bill cancelling canceling cancel can bye by but business budget broke break boyfriend both blindly bit bills billings automatically as cant adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming allow are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed cannot card elsewhere deal direction differences didnt deteriorated delivering declined decisions death days currency day daughter damn dad cutting cut customers currently disappointed disgusting disgusts divorce else eliminating el edge easily earlier each duplicate drive drastically drain down double dont like doesnt do current credit care charges climbing climb city choose choice checking cheaper charging charged covid charge changing changes changed cell caused caring cared college combine combining come courtesy costs cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared company coming life loyal limit squeeze stopped stop stepdad stealing stay states started start spouses stranger spouse spending span sorry soon son something someone stopping stupid limited take that thanks thank than temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber some so situation run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped ridiculous return seems seen selection sense significant signaling sign sight sick shoves shouldn should short she share shady settled set servicio services series thats their there way when whats what were went well week we was vaccine warrant wants wanted want waiting wait vs virtue where while who wife youll you yet years yearly year yall ya wouldn worth workable wont won without with willing will value ut these times tracking town tooo too told today tired tipped tightening using tight throughout through this think things thing they tried try trying twice uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two retiring retired resume next now notified nothing not nonsense nonesence non nice news months newest never needed must multiple much moving moved off offer offered offset our others other original or options option opportunity opening opened ontario oneday one once on ok often move monthly over looking make made luck loyalty lower lost losing loose longer month long lol locations location ll living live little makes making manservices many monetary mom mistake mind might merge memberships membership members member medical means me maybe may married market outside overpriced resubscribe raise really reactivate re rates rate raising raises raised quickly prices quality putting put pushed provider profits profit profiles reason recent recently recession
Topic 7 | Coherence=-227899.16 | Top words= anymore to lost have iny face forcing keeping nice especially choice shoves pop up life make more it expensive so you subscriber currently afford with worth me for the your subscription just price is not cant job caused thanks biden president inflation by my can longer on no focused much aren any customers cannot using due now vaccine seems of far garbage greedy gas go great given going guys greed gouging get grandkids future give girl gotten getting goes got good gonna gone gf games flat fuel fee fan family fair fact extra extortion expenses expected everything every even euro entertainment entertaining enough fault feel from fees frequent free forth forever food hackednot fixed fix first financially financial finally fiance few feet hacked youre hacking isnt joint join jacking itself its issues issue isn keep intolerable into interested instead increments increasses increasing justify keeps had leave like letting let lesser less legacy left learning kept layoff later last laid lack kids kidding increases increased increase he hike emails higher high her help health having income havent has hardly hard happy hand half hikes hiking history holder in improvements im ill if idea husband hungry huge how households household house hosehold horrible end down email before biannually bf between better benefits benefit being begin been biggest becoming because became be barely bank back awhile biased bill automatically buggin care card cancelling canceling cancel bye but business budget billing broke break boyfriend both blindly bit bills billings away aunt elsewhere adding againlater again after adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at and as are apps aparently anyways anticonsumer another annually an allow amounts amount amercian am also already almost allowed cared caring cell decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts change drive else eliminating el edge easily earlier each duplicate drastically divorce drain limited double dont done don doesnt do cut customer current choose coming come combining combine college climbing climb city checking currency cheaper charging charges charged charge changing changes changed company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected limit loyal limiting start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid there talk thats that thank than terrible temporary temporarily taste taking sub take system switching support summer success subscriptions subscribers something someone some saving sense selection seen see secure second scaling scales save situation same run rules rule rotating rising risen rise series service services servicio single since significant signaling sign sight sick shouldn should short she sharing share shady several settled set their these little way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while they would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why virtue value ut times tracking town tooo too told today tired tipped time uses tightening tight throughout through this think things thing tried try trying twice users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous nonesence often offset offered offer off notified nothing nonsense non once next news newest new never needed need must ok one return other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only multiple moving moved losing many manservices making makes made luck loyalty lower loose move looking long lol locations location ll living live market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means owning pagos parent rather recession recently recent reason really reality reactivate re rates pushed rate raising raises raised raise quickly quality putting rectifying redo reduce reducing
Topic 8 | Coherence=-222999.05 | Top words= back be will ll when break and of on being taking begin cared were prices leave up wouldn re means greedy hiking understand enough us if high what only my can got about this that keep just subscription ill you with we time off laid saving bit money own im come payday raising for continously divorce restriction next repurposing spending rotating cutting summer broke services might monetary else many may soon layoff join take second issue retiring future even fuel games from garbage especially euro get gas entertainment entertaining getting gf end girl give given go goes going emails gone email frequent feel every everything fee feet fault far fan few family fair fact fiance face finally financial financially first fix fixed flat focused extra extortion food expensive forcing fees forever forth expected free expenses have gonna inflation isn is iny intolerable into interested instead increments good increasses increasing increases increased increase income in isnt issues it its left learning later last lack kids kidding kept keeps keeping justify joint job jacking itself improvements idea husband havent hardly hard happy hand half had hacking hackednot hacked guys greed great grandkids gouging gotten has having hungry he huge how households household house hosehold horrible holder history hikes hike higher her help health elsewhere youre eliminating been biased biannually bf between better benefits benefit before becoming as because became barely bank awhile away automatically aunt biden biggest bill billing card cant cannot cancelling canceling cancel bye by but business buggin budget boyfriend both blindly bills billings at aren caring addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts account access acceptance absurd agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed care caused el death direction different differences didnt deteriorated delivering declined decisions deal currently days day daughter date damn dad cut customers disappointed discontinue disgusting disgusts edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt do less customer current cell checking combining combine college climbing climb city choose choice cheaper currency charging charges charged charge changing changes changed change coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually constantly constant consolidating consider connected compromised legacy loyal lesser spend stay states starting started start squeeze spouses spouse span thanks sorry son something someone some so situation single stealing stepdad stop stopped than terrible temporary temporarily taste talk system switching support success subscriptions subscribers subscriber sub stupid stranger stopping since significant signaling seems secure scaling scales save same run rules rule rising risen rise ripped right ridiculous return retired resume see seen sign selection sight sick shoves shouldn should short she sharing share shady several settled set servicio service series sense thank thats restrict wants went well weeks week way waste was warrant wanted the want waiting wait vs virtue value vaccine ut whats where while who youll yet years yearly year yall ya would worth workable work wont won without willing wife why using uses users tooo told today to tired tipped times tightening tight throughout through think things thing they these there their too town used tracking use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried resubscribe restart let need non no nice news newest new never needed must other multiple much moving moved move more months monthly nonesence nonsense not nothing or options option opportunity opening opened ontario oneday one once ok often offset offered offer now notified month moment mom lower losing loose looking longer long lol locations location living live little limiting limited limit like life letting lost your mistake loyalty mind merge memberships membership members member medical me maybe married market manservices making makes make made luck original others respect pushed rate raises raised raise quickly quality putting put provider our profits profit profiles problem pricing price president prescription rates rather reactivate
Topic 9 | Coherence=-217293.06 | Top words= for to you pay that will want sharing people just family guys from trying stop charge possible something they extra as much because won return what am cant reduce againlater tightening budget got spending bills cut month months yearly card declined increasing prefer can this restrict rotating are daughter fuel moved until mom already with give goes go euro even given every gas everything girl gf getting expected especially entertainment going entertaining gone enough end gonna good emails gotten gouging grandkids great email greed elsewhere get expenses financial expensive financially finally first fiance few feet fees feel fee fault far fix fixed flat focused food fan fair forcing forever forth free frequent fact face extortion future games garbage greedy youre hacked issue joint join job jacking itself its it issues isnt keep isn is iny intolerable into interested instead inflation justify keeping hackednot leave like life letting let lesser less legacy left learning keeps layoff later last laid lack kids kidding kept increments increasses increases havent hike higher high her help health else having have increased has hardly hard happy hand half had hacking hikes hiking history holder increase income in improvements im ill if idea husband hungry huge how households household house hosehold horrible he doesnt eliminating begin biased biannually bf between better benefits benefit being before automatically been becoming became be barely bank back awhile biden biggest bill billing care cannot cancelling canceling cancel bye by but business buggin broke break boyfriend both blindly bit billings away aunt el adding again after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also almost allowed cared caring caused deal direction different differences didnt deteriorated delivering decisions death days cell day date damn dad cutting customers customer currently disappointed discontinue disgusting disgusts edge easily earlier each duplicate due drive drastically drain down double dont done don limited do divorce current currency creep coming combining combine college climbing climb city choose choice checking cheaper charging charges charged changing changes changed change come company credit compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limit loyal limiting spend stay states starting started start squeeze spouses spouse span stepdad sorry soon son someone some so situation single stealing stopped than support temporary temporarily taste talk taking take system switching summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger since significant signaling rules secure second scaling scales saving save same run rule sign rising risen rise ripped right ridiculous retiring retired see seems seen selection sight sick shoves shouldn should short she share shady several settled set servicio services service series sense terrible thank little warrant went well weeks week we way waste was wants whats wanted waiting wait vs virtue value vaccine ut were when thanks worth youll yet years year yall ya wouldn would workable where work wont without willing wife why who while using uses users throughout too told today tired tipped times time tight through used think things thing these there their the thats tooo town tracking tried use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice try resume resubscribe restriction news nothing not nonsense nonesence non no nice next newest now new never needed need my must multiple moving notified of restart only original or options option opportunity opening opened ontario oneday off one once on ok often offset offered offer move more monthly loose make made luck loyalty your lower lost losing looking money longer long lol locations location ll living live makes making manservices many monetary moment mistake mind might merge memberships membership members member medical means me maybe may married market other others our quality rather rates rate raising raises raised raise quickly putting price put pushed provider profits profit profiles problem pricing re reactivate reality really
Topic 10 | Coherence=-231486.38 | Top words= price the not and you worth raising keep share many too anymore your raised it for greedy increase money enough way past me fan currently hikes fees used charging us an customers gotten letting times rules don high paying fault workable pay system rates increasing of amount damn waste quality reason cost prices dont profits isn higher new given renewing guys wont nonesence constantly kidding support think monthly thanks from adding provider before forth free give going get girl goes getting gf fuel future games garbage go gas frequent youre forever expected fact face extra extortion expensive expenses everything family every even euro especially entertainment entertaining fair far forcing financially food focused flat fixed fix first financial fee finally fiance few feet gonna feel gone has good in jacking itself its issues issue isnt is iny intolerable into interested instead inflation increments increasses increases increased job join joint later lesser less legacy left leave learning layoff last just laid lack kids kept keeps keeping justify income improvements got im having havent have emails hardly hard happy hand half had hacking hackednot hacked greed great grandkids gouging he health help households ill if idea husband hungry huge how household her house hosehold horrible holder history hiking hike end double email begin biased biannually bf between better benefits benefit being been biggest becoming because became be barely bank back awhile biden bill cant buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt addition againlater again after afford adicional addtional addresses additional added at activities acct accounts account access acceptance absurd about agree alarming all allow as aren are apps aparently anyways any anticonsumer another annually amounts amercian am also already almost allowed cannot card elsewhere deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date dad cutting cut customer current direction discontinue care due else eliminating el edge easily earlier each duplicate drive disgusting drastically drain down done doesnt do divorce disgusts currency creep credit charged climbing climb city choose choice checking cheaper charges charge covid changing changes changed change cell caused caring cared college combine combining come courtesy country costs continuous continues continue continually continously constant consolidating consider connected compromised competitive compared company coming let loyal life spouses stepdad stealing stay states starting started start squeeze spouse so spending spend span sorry soon son something someone stop stopped stopping stranger than terrible temporary temporarily taste talk taking take switching summer success subscriptions subscription subscribers subscriber sub stupid some situation that saving selection seen seems see secure second scaling scales save single same run rule rotating rising risen rise ripped sense series service services since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio thank thats like was whats what were went well weeks week we warrant ut wants wanted want waiting wait vs virtue value when where while who youll yet years yearly year yall ya wouldn would work won without with willing will wife why vaccine using their tightening town tooo told today to tired tipped time tight uses throughout through this things thing they these there tracking tried try trying users use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right ridiculous return needed nonsense non no nice next news newest never need month my must multiple much moving moved move more nothing notified now off or options option opportunity opening opened ontario only oneday one once on ok often offset offered offer months monetary retiring lol loyalty lower lost losing loose looking longer long locations moment location ll living live little limiting limited limit luck made make makes mom mistake mind might merge memberships membership members member medical means maybe may married market manservices making original other others raise recent really reality reactivate re rather rate raises quickly our putting put pushed profit profiles problem pricing president recently recession rectifying
Topic 11 | Coherence=-222524.03 | Top words= and rates increasing we prices time are only at keep long customer no loyalty subscriber like will there feel alarming for your going is my the thing others higher do same than who in subscriptions provider consolidating getting service fiance am moving through inflation greedy rising household connected extra have costs users being needed cell recession food gas boyfriend pay constant so rather especially get expected everything every gf grandkids even end euro gouging gone entertainment gotten give enough given got good gonna entertaining go goes girl feet expenses garbage few fee fault far finally fan family financial financially fair fact first great fixed face flat focused extortion forcing forever forth free frequent from fuel future fees expensive games fix youre greed justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead increments just keeping guys keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept increasses increases increased increase her help health he having email havent has hardly hard happy hand half had hacking hackednot hacked high hike hikes hungry income improvements im ill if idea husband huge hiking how households house hosehold horrible holder history emails dont elsewhere before biased biannually bf between better benefits benefit begin been biggest becoming because became be barely bank back awhile biden bill card business cannot cancelling canceling cancel can bye by but buggin billing budget broke break both blindly bit bills billings away automatically aunt adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater agree all allow aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed cant care else death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting cared drive eliminating el edge easily earlier each duplicate due drastically disgusts drain down double limited done don doesnt divorce customers currently current charging college climbing climb city choose choice checking cheaper charges currency charged charge changing changes changed change caused caring combine combining come coming creep credit covid courtesy country cost continuous continues continue continually continously constantly consider compromised competitive compared company limit loyal limiting squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger their taking that thanks thank terrible temporary temporarily taste talk take stupid system switching support summer success subscription subscribers sub someone some situation saving selection seen seems see secure second scaling scales save single run rules rule rotating risen rise ripped right sense series services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thats these little way when whats what were went well weeks week waste while was warrant wants wanted want waiting wait vs where why they wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue value vaccine to try tried tracking town tooo too told today tired ut tipped times tightening tight throughout this think things trying twice two unable using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ridiculous return retiring next now notified nothing not nonsense nonesence non nice news off newest new never need must multiple much moved of offer retired opening out our other original or options option opportunity opened offered ontario oneday one once on ok often offset move more months losing manservices making makes make made luck lower lost loose monthly looking longer lol locations location ll living live many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe outside over overpriced raised reason really reality reactivate re rate raising raises raise pricing quickly quality putting put pushed profits profit profiles recent recently rectifying redo
Topic 12 | Coherence=-221444.97 | Top words= only it not that me the are you to if consider bye email fact good want this reactivate give will forever rectifying makes never issue back come again subscriptions months one subscription need married using we like households two getting got combine after remarried under fair restart up consolidating new merge spouses had seen set upcoming future boyfriend what system already charging get gone greed fuel great grandkids gouging gotten gonna going gf games garbage goes from given girl gas go youre frequent every family face extra extortion expensive expenses expected everything even free euro especially entertainment entertaining enough end emails elsewhere fan far fault fee forth forcing for food focused flat fixed greedy first financially financial finally fiance few feet fees feel fix health guys justify joint join job jacking itself its issues isnt isn is iny intolerable into interested instead inflation increments just keep hacked keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasses increasing increases increased higher high her help eliminating he having havent have has hardly hard happy hand half hacking hackednot hike hikes hiking husband increase income in improvements im ill idea hungry history huge how household house hosehold horrible holder else doesnt el before biannually bf between better benefits benefit being begin been aunt becoming because became be barely bank awhile away biased biden biggest bill cancelling canceling cancel can by but business buggin budget broke break both blindly bit bills billings billing automatically at cant adding agree againlater afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also almost cannot card edge days differences didnt deteriorated delivering declined decisions death deal day current daughter date damn dad cutting cut customers customer different direction disappointed discontinue easily earlier each duplicate due drive drastically drain down double dont done don do divorce disgusts disgusting currently currency care charged climbing climb city choose choice checking cheaper charges charge creep changing changes changed change cell caused caring cared college combining coming company credit covid courtesy country costs cost continuous continues continue continually continously constantly constant connected compromised competitive compared life loyal limit span states starting started start squeeze spouse spending spend sorry stealing soon son something someone some so situation single stay stepdad limited support terrible temporary temporarily taste talk taking take switching summer stop success subscribers subscriber sub stupid stranger stopping stopped since significant signaling rule second scaling scales saving save same run rules rotating sign rising risen rise ripped right ridiculous return retiring secure see seems selection sight sick shoves shouldn should short she sharing share shady several settled servicio services service series sense than thank thanks way where when whats were went well weeks week waste vaccine was warrant wants wanted waiting wait vs virtue while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut thats tight too told today tired tipped times time tightening throughout uses through think things thing they these there their tooo town tracking tried users used use us upward upping until unneeded unnecessary unfortunately unfair unemployed understand unable twice trying try retired resume resubscribe next now notified nothing nonsense nonesence non no nice news more newest needed my must multiple much moving moved of off offer offered our others other original or options option opportunity opening opened ontario oneday once on ok often offset move monthly outside longer luck loyalty your lower lost losing loose looking long month lol locations location ll living live little limiting made make making manservices money monetary moment mom mistake mind might memberships membership members member medical means maybe may market many out over restriction putting rates rate raising raises raised raise quickly quality put president pushed provider profits profit profiles problem pricing prices rather re reality really
Topic 13 | Coherence=-225947.01 | Top words= you and for to charge re my even that kids going not more rate about in customers your service another garbage customer care is hike unfair good intolerable city live do ut keep canceling the fair sign really time she prices how outside before allow coming popular series play next want preemptively much sharing family summer me stupid into consider months date again forth horrible constant pay needed gas getting get far go euro gf girl give given everything goes gone gonna especially entertainment got gotten gouging grandkids every expensive games future fault fee feel fan fees feet few fiance finally financial financially first fix fixed flat fact focused great face extra extortion forcing forever expenses expected free frequent from fuel food youre greed just join job jacking itself its it issues issue isnt isn iny interested instead inflation increments increasses increasing joint justify greedy keeping life letting let lesser less legacy left leave learning layoff later last laid lack kidding kept keeps increases increased increase income health he having havent enough have has hardly hard happy hand half had hacking hackednot hacked guys help her high huge improvements im ill if idea husband hungry households higher household house hosehold holder history hiking hikes entertaining down end begin biased biannually bf between better benefits benefit being been biggest becoming because became be barely bank back awhile biden bill card buggin cannot cancelling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt addition agree againlater after afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd alarming all allowed almost as aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already cant cared emails delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined divorce decisions death deal days day daughter damn dad disgusts doesnt caring each email elsewhere else eliminating el edge easily earlier duplicate don due drive drastically drain limit double dont done cutting cut currently cheaper combining combine college climbing climb choose choice checking charging current charges charged changing changes changed change cell caused come company compared competitive currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating connected compromised like loyal limited starting stranger stopping stopped stop stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers limiting temporarily there their thats thanks thank than terrible temporary taste subscription talk taking take system switching support success subscriptions soon son something saving selection seen seems see secure second scaling scales save someone same run rules rule rotating rising risen rise sense services servicio set some so situation single since significant signaling sight sick shoves shouldn should short share shady several settled these they thing weeks while where when whats what were went well week vs we way waste was warrant wants wanted waiting who why wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing wait virtue things today trying try tried tracking town tooo too told tired value tipped times tightening tight throughout through this think twice two unable under vaccine using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand ripped right ridiculous no off of now notified nothing nonsense nonesence non nice move news newest new never need must multiple moving offer offered offset often our others other original or options option opportunity opening opened ontario only oneday one once on ok moved monthly over loose makes make made luck loyalty lower lost losing looking month longer long lol locations location ll living little making manservices many market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married out overpriced return raising recession recently recent reason reality reactivate rather rates raises profit raised raise quickly quality putting put pushed provider rectifying redo reduce reducing
Topic 14 | Coherence=-225604.39 | Top words= prices for too now just is it last profit additional profiles increase expensive starting greedy raising after year worth charge and new right not service to no money anymore don keep fees afford getting can me raised want rule trying stupid maybe offered later but vs cant thanks addition unfortunately ya adding save upward way given girl longer really whats long subscriptions easily monthly secure hackednot eliminating bills fault overpriced being became fiance future games garbage expected gas get everything gf every give even go euro goes going especially gone entertainment gonna good got entertaining gotten gouging enough grandkids expenses extortion finally extra financial financially few feet first feel fix fixed fee flat focused food far fan family forcing forever forth fair free frequent fact face from fuel youre her great into its issues issue isnt isn iny intolerable interested jacking instead inflation increments increasses increasing increases increased itself job in laid lesser less legacy left leave learning layoff lack join kids kidding kept keeps keeping justify joint income improvements greed hardly help health he having havent have has hard high happy hand half had hacking hacked guys emails higher im households ill if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes end doesnt email benefits bill biggest biden biased biannually bf between better benefit awhile begin before been becoming because be barely bank billing billings bit blindly caring cared care card cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both back away cell addresses allow all alarming agree againlater again adicional addtional added automatically activities acct accounts account access acceptance absurd about allowed almost already also aunt at as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am caused change elsewhere death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts else el edge earlier each duplicate due drive drastically drain down double dont done letting do divorce customers currently changed city company coming come combining combine college climbing climb choose current choice checking cheaper charging charges charged changing changes compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider let loyal life spouse stepdad stealing stay states started start squeeze spouses spending situation spend span sorry soon son something someone some stop stopped stopping stranger than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub so single that run seen seems see second scaling scales saving same rules since rotating rising risen rise ripped ridiculous return retiring selection sense series services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thank thats like waste when what were went well weeks week we was using warrant wants wanted waiting wait virtue value vaccine where while who why youll you yet years yearly yall wouldn would workable work wont won without with willing will wife ut uses the throughout told today tired tipped times time tightening tight through users this think things thing they these there their tooo town tracking tried used use us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice try retired resume resubscribe never nothing nonsense nonesence non nice next news newest needed months need my must multiple much moving moved move notified of off offer other original or options option opportunity opening opened ontario only oneday one once on ok often offset more month restriction lol luck loyalty your lower lost losing loose looking locations monetary location ll living live little limiting limited limit made make makes making moment mom mistake mind might merge memberships membership members member medical means may married market many manservices others our out quality reactivate re rather rates rate raises raise quickly putting outside put pushed provider profits problem pricing price president reality reason recent
Topic 15 | Coherence=-214723.35 | Top words= for need of to subscriptions paying this other just again before start things time no sharing care take first its charging been good some legacy run members financially hard respect way cancel me death holder account unneeded customers have stop thank reducing will town redo fee going especially euro goes even given go gonna give girl every gf getting gone entertainment get entertaining got enough end gotten emails gouging email grandkids great elsewhere greed else greedy everything gas feel far fair flat fixed fix family fan fault food financial finally fiance few feet fees focused fact expected frequent garbage games expenses future fuel from expensive face free forth forever forcing extortion extra guys youre hacked issues keep justify joint join job jacking itself it issue keeps isnt isn is iny intolerable into interested instead keeping kept hackednot less limiting limited limit like life letting let lesser left kidding leave learning layoff later last laid lack kids inflation increments increasses having hikes hike higher high her help health he havent increasing el has hardly happy hand half had hacking hiking history horrible hosehold increases increased increase income in improvements im ill if idea husband hungry huge how households household house eliminating done edge becoming biannually bf between better benefits benefit being begin because biden became be barely bank back awhile away automatically biased biggest at budget cancelling canceling can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt as easily addition agree againlater after afford adicional addtional addresses additional adding all added activities acct accounts access acceptance absurd about alarming allow aren annually are apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost cannot cant card daughter didnt deteriorated delivering declined decisions deal days day date different damn dad cutting cut customer currently current currency differences direction cared double earlier each duplicate due drive drastically drain down dont disappointed live don doesnt do divorce disgusts disgusting discontinue creep credit covid charges college climbing climb city choose choice checking cheaper charged courtesy charge changing changes changed change cell caused caring combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company little loyal living spouses stopped stepdad stealing stay states starting started squeeze spouse stranger spending spend span sorry soon son something someone stopping stupid situation talk thats that thanks than terrible temporary temporarily taste taking sub system switching support summer success subscription subscribers subscriber so single ll same seems see secure second scaling scales saving save rules selection rule rotating rising risen rise ripped right ridiculous seen sense since short significant signaling sign sight sick shoves shouldn should she series share shady several settled set servicio services service the their there week where when whats what were went well weeks we who waste was warrant wants wanted want waiting wait while why these wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing vs virtue value tired trying try tried tracking tooo too told today tipped vaccine times tightening tight throughout through think thing they twice two unable under ut using uses users used use us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand return retiring retired next now notified nothing not nonsense nonesence non nice news offer newest new never needed my must multiple much off offered over opening out our others original or options option opportunity opened offset ontario only oneday one once on ok often moving moved move lower manservices making makes make made luck loyalty your lost more losing loose looking longer long lol locations location many market married may months monthly month money monetary moment mom mistake mind might merge memberships membership member medical means maybe outside overpriced resume quickly re rather rates rate raising raises raised raise quality reality putting put pushed provider profits profit profiles problem reactivate really own rent resubscribe
Topic 16 | Coherence=-222950.79 | Top words= you extra charging of share past many my to because out price with me years cant without subscriptions hikes stay grandkids few over also newest now hike months town upping understand greedy disgusts prices can possible people garbage greed gas good getting guys games future fuel hacked hackednot get great gf from gouging girl give gotten given got go goes going gone gonna youre forcing frequent free fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere family fan far fix forth forever had for food focused flat fixed first fault financially financial finally fiance feet fees feel fee hacking having half jacking keeps keeping keep justify just joint join job itself into its it issues issue isnt isn is iny kept kidding kids lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid intolerable interested hand help hosehold horrible holder history hiking higher high her health instead he eliminating havent have has hardly hard happy house household households how inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge else drastically el at biannually bf between better benefits benefit being begin before been becoming became be barely bank back awhile away automatically biased biden biggest budget cancelling canceling cancel bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt as edge aren againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree alarming all annually are apps aparently anyways anymore any anticonsumer another and allow an amounts amount amercian am already almost allowed cannot card care cared didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current differences different direction down easily earlier each duplicate due drive live drain double disappointed dont done don doesnt do divorce disgusting discontinue currency creep credit charges college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company little loyal living started stranger stopping stopped stop stepdad stealing states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber something taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscription son someone rise scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short she sharing shady several settled the their there waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where these worth youll yet yearly year yall ya wouldn would workable while work wont won willing will wife why who value vaccine ut time tracking tooo too told today tired tipped times tightening using tight throughout through this think things thing they tried try trying twice uses users used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed under unable two risen ripped ll non offered offer off notified nothing not nonsense nonesence no often nice next news new never needed need must offset ok much options own overpriced outside our others other original or option on opportunity opening opened ontario only oneday one once multiple moving right lower manservices making makes make made luck loyalty your lost married losing loose looking longer long lol locations location market may moved mistake move more monthly month money monetary moment mom mind maybe might merge memberships membership members member medical means owner owning pagos re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing parent restart ridiculous
Topic 17 | Coherence=-225668.83 | Top words= and you subscription the sharing prices extra keep charge will more my new if too an im people no family greed with fee newest greedy charging loose youre hike longer parents support from company that charges upping using kept raise other services cheaper amounts by declined huge card adding recent worth disgusts policies nothing another fees subscriptions had continue expensive future pleased continually gonna grandkids going gone get given getting give great gouging gotten got goes gf gas girl good go forever garbage expenses fault far fan fair fact face extortion expected feet everything every even euro especially entertainment entertaining feel few games food fuel frequent free forth hacked forcing for focused fiance flat fixed fix first financially financial finally guys havent hackednot instead justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable into keeping keeps kidding legacy limit like life letting let lesser less left kids leave learning layoff later last laid lack interested inflation hacking increments hiking hikes higher high her help health he having end have has hardly hard happy hand half history holder horrible improvements increasses increasing increases increased increase income in ill hosehold idea husband hungry how households household house enough down emails before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest cant budget cancelling canceling cancel can bye but business buggin broke bill break boyfriend both blindly bit bills billings billing away automatically aunt addition againlater again after afford adicional addtional addresses additional added at activities acct accounts account access acceptance absurd about agree alarming all allow as aren are apps aparently anyways anymore any anticonsumer annually amount amercian am also already almost allowed cannot care email decisions discontinue disappointed direction different differences didnt deteriorated delivering death divorce deal days day daughter date damn dad cutting disgusting do cared duplicate elsewhere else eliminating el edge easily earlier each due doesnt drive drastically drain limiting double dont done don cut customers customer choice come combining combine college climbing climb city choose checking currently charged changing changes changed change cell caused caring coming compared competitive compromised current currency creep credit covid courtesy country costs cost continuous continues continously constantly constant consolidating consider connected limited loyal little squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger there talk thats thanks thank than terrible temporary temporarily taste taking stupid take system switching summer success subscribers subscriber sub someone some so saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service servicio single since significant signaling sign sight sick shoves shouldn should short she share shady several settled set their these live waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where they would youll yet years yearly year yall ya wouldn workable while work wont won without willing wife why who value vaccine ut times tracking town tooo told today to tired tipped time uses tightening tight throughout through this think things thing tried try trying twice users used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous nice off of now notified not nonsense nonesence non next offered news never needed need must multiple much moving offer offset return opportunity outside out our others original or options option opening often opened ontario only oneday one once on ok moved move months lower manservices making makes make made luck loyalty your lost monthly losing looking long lol locations location ll living many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe over overpriced own rates recession recently reason really reality reactivate re rather rate profits raising raises raised quickly quality putting put pushed rectifying redo reduce reducing
Topic 18 | Coherence=-225791.41 | Top words= and my to different in subscription have two don live family use me you on married subscriptions be that got membership cancel will change but with need husband won since mom anymore places get want restrict both addresses able memberships extortion taste users are enough its youre between where disgusting multiple now her cannot wife poland too fault amercian recently go acceptance issues personal wants feet share boyfriend gf billings stopped price upcoming due locations has lol redo we using raised joint life other switching sight cheaper week getting first focused fix financially willing fixed financial flat fuel finally for gas garbage forcing forever games forth free future frequent from food vaccine fiance few entertaining work end emails email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain entertainment especially euro fact fees feel fee far fan girl fair face even extra wont expensive expenses expected everything every without gotten give improvements increasses increasing increases increased increase income while im inflation ill if idea who hungry huge how increments instead given itself keeping keep justify just join job jacking it interested issue isnt isn is iny intolerable into households household house great had hacking hackednot hacked guys greedy greed grandkids hosehold gouging double good gonna gone going goes half hand happy hard horrible holder history hiking hikes hike higher high help health he having havent why hardly down discontinue dont benefits being begin before been becoming because became year barely bank back awhile away automatically aunt at as benefit better done bf by ya business buggin budget broke break yall blindly bit bills billing bill biggest biden biased biannually aren yearly apps aparently again after afford adicional addtional youll additional addition adding added activities acct accounts account access absurd about againlater agree alarming an anyways years any anticonsumer another annually yet amounts all amount am also already almost allowed allow bye can wouldn continues date damn dad cutting cut customers customer currently current currency creep credit covid courtesy country costs cost daughter day days direction workable doesnt do divorce disgusts kept disappointed worth deal differences didnt deteriorated delivering declined decisions death continuous continue canceling continually checking charging charges charged charge changing changes changed would cell caused caring cared care card cant cancelling choice choose city competitive continously constantly constant consolidating consider connected compromised compared climb company coming come combining combine college climbing keeps less kidding save shady several settled set servicio services service series sense selection seen seems see secure second scaling scales sharing she short situation sorry soon son something someone some so single should was significant signaling sign sick shoves shouldn saving same spend run repurposing replace rent renewing remarried rejoin reflect reducing reduce rectifying recession recent reason really reality reactivate re reside residence respect right rules rule rotating rising risen rise ripped ridiculous restart return retiring retired resume resubscribe restriction waste span spending rates things try tried tracking town tooo told today wait tired tipped times time tightening tight throughout through this trying twice vs up uses value used virtue us upward upping until unable unneeded unnecessary unfortunately unfair unemployed understand under think thing spouse they warrant subscribers subscriber sub stupid stranger stopping stop stepdad stealing stay states starting started start squeeze spouses success summer support thank these there their the thats waiting thanks than system terrible temporary temporarily wanted talk taking take rather rate kids whats month money monetary moment well mistake mind might merge went were members member medical means what maybe monthly months more newest nonsense nonesence non no nice next news new move never needed weeks must much moving moved may market nothing many limiting limited limit like letting let lesser ut legacy left leave learning layoff later last laid lack little when living your manservices making makes make made luck loyalty lower ll lost losing loose looking longer long location not notified raising phone por popular pop politically political policy policies point pls pleased please playing play platforms platform way piracy possible
Topic 19 | Coherence=-216087.96 | Top words= subscription my has with an in need already so dont away passed moving bf he you want one needed good do services put not why anymore forth hacked guys husband account someone phone stepdad owner daughter service she same residence keeps had this get mom at wife owning offered hacking spouse parent aunt free won acct joint have pleased added double situation everything ontario another longer increase food later forever forcing for focused frequent flat fixed layoff learning leave fix last from financially kidding given give girl gf kept getting kids fuel lack gas garbage laid games future first financial go even lesser expensive expenses expected let every euro extra letting especially entertainment entertaining enough end extortion face finally left fiance few feet fees feel fee legacy fact fault far fan family fair less keeping goes income history house hosehold interested horrible holder into hiking health hikes hike intolerable higher high her household households how huge hungry instead idea if inflation increments increasses increasing ill im improvements increases increased help iny keep just itself jacking great job grandkids join gouging is gotten got justify gonna gone going greed greedy its it hackednot issues issue half hand happy hard hardly isnt isn havent email having emails youre elsewhere better billings billing bill biggest biden biased biannually between benefits bit benefit being begin before been becoming because became bills blindly caused can cared care card cant cannot cancelling canceling cancel bye both by but business buggin budget broke break boyfriend be barely bank addresses alarming agree againlater again after afford adicional addtional additional back addition adding activities accounts access acceptance absurd about all allow allowed almost awhile automatically as aren are apps aparently anyways any anticonsumer annually and amounts amount amercian am also caring cell else deal different differences didnt deteriorated delivering declined decisions death days disappointed day date damn dad cutting cut customers customer direction discontinue change drive eliminating el edge easily earlier each duplicate due drastically disgusting drain down like done don doesnt divorce disgusts currently current currency choice come combining combine college climbing climb city choose checking creep cheaper charging charges charged charge changing changes changed coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised life loyal limit states sub stupid stranger stopping stopped stop stealing stay starting subscribers started start squeeze spouses spending spend span sorry subscriber subscriptions limited temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer soon son something save seen seems see secure second scaling scales saving run some rules rule rotating rising risen rise ripped right selection sense series servicio single since significant signaling sign sight sick shoves shouldn should short sharing share shady several settled set there these they waste what were went well weeks week we way was ut warrant wants wanted waiting wait vs virtue value whats when where while youll yet years yearly year yall ya wouldn would worth workable work wont without willing will who vaccine using thing tired tried tracking town tooo too told today to tipped uses times time tightening tight throughout through think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous return retiring newest nothing nonsense nonesence non no nice next news new month never must multiple much moved move more months notified now of off others other original or options option opportunity opening opened only oneday once on ok often offset offer monthly money out looking made luck loyalty your lower lost losing loose long monetary lol locations location ll living live little limiting make makes making manservices moment mistake mind might merge memberships membership members member medical means me maybe may married market many our outside retired raising reason really reality reactivate re rather rates rate raises profiles raised raise quickly quality putting pushed provider profits recent recently recession rectifying
Topic 20 | Coherence=-216340.77 | Top words= prices have stop to raising with back due price high these cut money customer this job damn losing month new into put upcoming increases lost success addtional some gas youll every year family mind ridiculous twice please yall piracy bills months limiting your access currently reside trying medical get expenses vaccine gotten users end emails getting fee enough garbage entertaining entertainment future especially fuel games girl gf from give given go email goes going gone gonna good got gouging elsewhere grandkids euro even frequent financial fault fees feet few fiance far fan finally fair fact face greed extra extortion expensive free financially expected first everything fix fixed flat focused food for forcing forever feel forth great having greedy issues justify just joint join jacking itself its it issue increasses isnt isn is iny intolerable interested instead inflation keep keeping keeps kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding increments increasing guys has hike higher her help health he eliminating havent hardly increased hard happy hand half had hacking hackednot hacked hikes hiking history holder increase income in improvements im ill if idea husband hungry huge how households household house hosehold horrible else youre el been bf between better benefits benefit being begin before becoming biased because became be barely bank awhile away automatically biannually biden at budget canceling cancel can bye by but business buggin broke biggest break boyfriend both blindly bit billings billing bill aunt as cannot addition agree againlater again after afford adicional addresses additional adding all added activities acct accounts account acceptance absurd about alarming allow aren annually are apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost cancelling cant edge day didnt deteriorated delivering declined decisions death deal days daughter different date dad cutting customers current currency creep credit differences direction courtesy limit easily earlier each duplicate drive drastically drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue covid country card charge city choose choice checking cheaper charging charges charged changing climbing changes changed change cell caused caring cared care climb college costs consolidating cost continuous continues continue continually continously constantly constant consider combine connected compromised competitive compared company coming come combining double loyal limited spouses stepdad stealing stay states starting started start squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger right take thank than terrible temporary temporarily taste talk taking system stupid switching support summer subscriptions subscription subscribers subscriber sub so situation single saving selection seen seems see secure second scaling scales save since same run rules rule rotating rising risen rise sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thanks that thats way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs when where while who you yet years yearly ya wouldn would worth workable work wont won without willing will wife why virtue ut the tightening tooo too told today tired tipped times time tight using throughout through think things thing they there their town tracking tried try uses used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped return little non off of now notified nothing not nonsense nonesence no offered nice next news newest never needed need my offer offset retiring opportunity out our others other original or options option opening often opened ontario only oneday one once on ok must multiple much loose manservices making makes make made luck loyalty lower looking moving longer long lol locations location ll living live many market married may moved move more monthly monetary moment mom mistake might merge memberships membership members member means me maybe outside over overpriced rate recent reason really reality reactivate re rather rates raises profiles raised raise quickly quality putting pushed provider profits recently recession rectifying redo
Topic 21 | Coherence=-223788.25 | Top words= to your it me worth charge you uses daughter college my re extra sign thank anyways when is she going bye ut no good for in not so because expensive ill compared switching others month first do the cancel bill an let didnt after subscription bank charging kidding up profits allowed compromised and declined far how caring everything without why where rising something wait isnt fee putting given give extortion expenses expected girl gf go goes fees every gone getting gonna euro especially got entertainment gotten entertaining enough gouging grandkids end great even face get food feel feet few fiance finally fault financial financially greedy fix fixed flat focused fan gas family forcing forever forth free frequent fair fact from fuel future games garbage greed health guys keep just joint join job jacking itself its issues issue isn iny intolerable into interested instead inflation increments justify keeping hacked keeps limit like life letting lesser less legacy left leave learning layoff later last laid lack kids kept increasses increasing increases increased high her help email he having havent have has hardly hard happy hand half had hacking hackednot higher hike hikes hungry increase income improvements im if idea husband huge hiking households household house hosehold horrible holder history emails youre elsewhere begin biased biannually bf between better benefits benefit being before else been becoming became be barely back awhile away biden biggest billing billings cant cannot cancelling canceling can by but business buggin budget broke break boyfriend both blindly bit bills automatically aunt at agree again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming as all aren are apps aparently anymore any anticonsumer another annually amounts amount amercian am also already almost allow card care cared disgusts discontinue disappointed direction different differences deteriorated delivering decisions death deal days day date damn dad cutting cut disgusting divorce customer limiting eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt customers currently caused company come combining combine climbing climb city choose choice checking cheaper charges charged changing changes changed change cell coming competitive current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider limited loyal little spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son someone some situation single stealing stop thanks support terrible temporary temporarily taste talk taking take system summer stopped success subscriptions subscribers subscriber sub stupid stranger stopping since significant signaling rule second scaling scales saving save same run rules rotating sight risen rise ripped right ridiculous return retiring retired secure see seems seen sick shoves shouldn should short sharing share shady several settled set servicio services service series sense selection than that live warrant went well weeks week we way waste was wants what wanted want waiting vs virtue value vaccine using were whats thats would youll yet years yearly year yall ya wouldn workable while work wont won with willing will wife who users used use throughout told today tired tipped times time tightening tight through us this think things thing they these there their too tooo town tracking upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried resume resubscribe restriction news now notified nothing nonsense nonesence non nice next newest off new never needed need must multiple much moving of offer restrict opened our other original or options option opportunity opening ontario offered only oneday one once on ok often offset moved move more losing making makes make made luck loyalty lower lost loose months looking longer long lol locations location ll living manservices many market married monthly money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may out outside over quickly reactivate rather rates rate raising raises raised raise quality president put pushed provider profit profiles problem pricing prices reality really reason recent
Topic 22 | Coherence=-214202.49 | Top words= my pay have bill but greedy youre disgusting about are charge taste extortion subscription its for extra company different was that me subscriptions is just you so after do compromised not an allowed ill card charged without bank wanted credit told automatically option notified activities today think better hacked and health waiting day summer until spend cannot upping when iny future getting get gas let garbage games from fuel frequent free forth forever forcing letting gf girl life give left legacy grandkids gouging less gotten got good lesser gonna gone going goes go given food focused great fan fair fact face limiting little expensive expenses expected everything every even euro especially entertainment entertaining family far flat fault fixed fix first financially financial finally fiance like few feet fees limit feel fee limited leave greed intolerable horrible it itself if jacking idea husband job hungry join huge how joint households household house issues im improvements increasses isn into interested instead inflation increments isnt in increasing increases increased increase issue income hosehold justify learning holder havent laid has last later hardly hard happy hand half had hacking hackednot layoff guys lack having kids end history keep hiking hikes hike higher high he keeping keeps her help kept kidding enough doesnt emails billings biggest biden biased biannually bf between benefits benefit being begin before been becoming because became be barely billing bills awhile bit cared care cant cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly back away email all agree againlater again afford adicional addtional addresses additional addition adding added acct accounts account access acceptance absurd alarming allow aunt almost at as aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already caring caused cell divorce discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days daughter date damn dad cutting disgusts living change don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done cut customers customer currently coming come combining combine college climbing climb city choose choice checking cheaper charging charges changing changes changed compared competitive connected cost current currency creep covid courtesy country costs continuous consider continues continue continually continously constantly constant consolidating live loyal ll span states starting started start squeeze spouses spouse spending sorry stealing soon son something someone some situation single since stay stepdad signaling switching than terrible temporary temporarily talk taking take system support stop success subscribers subscriber sub stupid stranger stopping stopped significant sign resume rule second scaling scales saving save same run rules rotating see rising risen rise ripped right ridiculous return retiring secure seems sight shady sick shoves shouldn should short she sharing share several seen settled set servicio services service series sense selection thank thanks thats way whats what were went well weeks week we waste while warrant wants want wait vs virtue value vaccine where who the would youll yet years yearly year yall ya wouldn worth why workable work wont won with willing will wife ut using uses tight tooo too to tired tipped times time tightening throughout users through this things thing they these there their town tracking tried try used use us upward upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retired resubscribe location nice off of now nothing nonsense nonesence non no next offered news newest new never needed need must multiple offer offset moving opportunity outside out our others other original or options opening often opened ontario only oneday one once on ok much moved restriction your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may move mistake more months monthly month money monetary moment mom mind maybe might merge memberships membership members member medical means over overpriced own raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason owner renewing restrict
Topic 23 | Coherence=-227750.52 | Top words= much too have the ill or has are for and after is year company options other far entertaining biannually seems you many consider increases this price increasing prices like in money back months few me come budget try tight once cost up customer now earlier stop oneday went using sorry since youll as addtional way quickly we wait risen kidding return biggest twice been anymore tooo right subscriptions times choose deal she offered overpriced often loyal ll possible everything feet aparently another mom extra give given expenses face girl go fact expensive goes going extortion first expected gone family gonna every even good euro got especially entertainment gotten fair fault gf fees flat focused food financially financial finally fiance forcing forever forth free frequent fan from fuel feel future games garbage gas get fee getting fixed fix havent gouging into it issues issue isnt isn iny intolerable interested itself instead inflation increments increasses increased increase income its jacking grandkids kids leave learning layoff later last laid lack kept job keeps keeping keep justify just joint join improvements im if half he having end hardly hard happy hand had idea hacking hackednot hacked guys greedy greed great health help her high husband hungry huge how households household house hosehold horrible holder history hiking hikes hike higher enough disgusts emails benefits billings billing bill biden biased bf between better benefit email being begin before becoming because became be barely bills bit blindly both cared care card cant cannot cancelling canceling cancel can bye by but business buggin broke break boyfriend bank awhile away alarming againlater again afford adicional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all automatically allow aunt at aren apps anyways any anticonsumer annually an amounts amount amercian am also already almost allowed caring caused cell divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death days day daughter date damn legacy do cutting doesnt elsewhere else eliminating el edge easily each duplicate due drive drastically drain down double dont done don dad cut change competitive coming combining combine college climbing climb city choice checking cheaper charging charges charged charge changing changes changed compared compromised customers connected currently current currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating left youre less spend states starting started start squeeze spouses spouse spending span terrible soon son something someone some so situation single stay stealing stepdad stopped temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub stupid stranger stopping significant signaling sign secure scaling scales saving save same run rules rule rotating rising rise ripped ridiculous retiring retired resume resubscribe second see sight seen sick shoves shouldn should short sharing share shady several settled set servicio services service series sense selection temporary than lesser was when whats what were well weeks week waste warrant thank wants wanted want waiting vs virtue value vaccine where while who why yet years yearly yall ya wouldn would worth workable work wont won without with willing will wife ut uses users told to tired tipped time tightening throughout through think things thing they these there their thats that thanks today town used tracking use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying tried restriction restrict restart my nice next news newest new never needed need must respect multiple moving moved move more monthly month monetary no non nonesence nonsense original option opportunity opening opened ontario only one on ok offset offer off of notified nothing not moment mistake mind lower losing loose looking longer long lol locations location living live little limiting limited limit life letting let lost your might loyalty merge memberships membership members member medical means maybe may married market manservices making makes make made luck others our out reactivate rather rates rate raising raises raised raise quality putting put pushed provider profits profit profiles problem pricing re reality prescription
Topic 24 | Coherence=-217400.05 | Top words= price the it and up are of keep just getting subscription keeps for out hikes am has with going hand you lack income fixed on much selection so cant increased far days jacking passed increasing paying everything gone away got non but news sub retired disappointed annually gonna every life membership person climbing politically flat workable fee biased profits bye broke else hacked nonsense options even girl give expected given go goes gf especially good euro gotten expensive gouging grandkids entertainment great greed entertaining greedy enough expenses fiance get fair feet finally financial financially first fix fees feel focused food fault fan family forcing extortion forever fact forth free frequent from fuel face future games few extra gas garbage youre guys issue justify joint join job itself its issues isnt kept isn is iny intolerable into interested instead keeping kidding increments less limiting limited limit like letting let lesser legacy kids left leave learning layoff later last laid inflation increasses hackednot having higher high her help emails health he havent hiking have hardly hard happy half had hacking hike history increases husband increase in improvements im ill if idea hungry holder huge how households household house hosehold horrible end due email begin biden biannually bf between better benefits benefit being before bill been becoming because became be barely bank back biggest billing automatically by cared care card cannot cancelling canceling cancel can business billings buggin budget break boyfriend both blindly bit bills awhile aunt elsewhere adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at another as aren apps aparently anyways anymore any anticonsumer an all amounts amount amercian also already almost allowed allow caring caused cell death direction different differences didnt deteriorated delivering declined decisions deal disgusting day daughter date damn dad cutting cut customers discontinue disgusts change drive eliminating el edge easily earlier each duplicate live drastically divorce drain down double dont done don doesnt do customer currently current choice coming come combining combine college climb city choose checking currency cheaper charging charges charged charge changing changes changed company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected little loyal living stay subscriber stupid stranger stopping stopped stop stepdad stealing states subscriptions starting started start squeeze spouses spouse spending spend subscribers success sorry terrible these there their thats that thanks thank than temporary summer temporarily taste talk taking take system switching support span soon rising secure servicio services service series sense seen seems see second settled scaling scales saving save same run rules rule set several son sign something someone some situation single since significant signaling sight shady sick shoves shouldn should short she sharing share they thing things way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while think would youll yet years yearly year yall ya wouldn worth who work wont won without willing will wife why virtue value vaccine to try tried tracking town tooo too told today tired ut tipped times time tightening tight throughout through this trying twice two unable using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under rotating risen ll nice offer off now notified nothing not nonesence no next offset newest new never needed need my must multiple offered often moved or own overpriced over outside our others other original option ok opportunity opening opened ontario only oneday one once moving move rise lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married more mind months monthly month money monetary moment mom mistake might may merge memberships members member medical means me maybe owner owning pagos reactivate redo rectifying recession recently recent reason really reality re reducing rather rates rate raising raises raised raise quickly reduce reflect parent restrict ripped
Topic 25 | Coherence=-224362.91 | Top words= price and increases is with to the be money more sharing saving can need hikes deal greedy continuous problem me too ridiculous in has profiles expected issues constant future months life already hike stopping are pushed over edge dad else don enough where throughout raises broke history think worth tired covid after account often willing happy moving anyways paying becoming pay absurd get layoff go given flat later focused give left food girl leave for forcing forever forth free frequent from fuel gf goes games going fixed getting garbage gas learning it fix like fair fact face extra extortion expensive expenses everything first every even euro especially limit entertainment entertaining family fan far fault gonna legacy financially financial less lesser finally fiance few let feet letting fees feel fee gone great good how justify keep increased increase income keeping improvements im ill if idea keeps husband hungry kept increasing increasses increments intolerable issue isnt itself isn jacking iny job inflation into interested join joint instead just huge households got household hardly hard hand half had hacking hackednot hacked guys last greed its grandkids gouging gotten laid have havent kids house hosehold horrible holder hiking kidding lack having higher high her end health he help youre emails benefits bill biggest biden biased biannually bf between better benefit awhile being begin before been because became barely bank billing billings bills bit care card cant cannot cancelling canceling cancel bye by but business buggin budget break boyfriend both blindly back away caring additional alarming agree againlater again afford adicional addtional addresses addition automatically adding added activities acct accounts access acceptance about all allow allowed almost aunt at as aren apps aparently anymore any anticonsumer another annually an amounts amount amercian am also cared caused email declined discontinue disappointed direction different differences didnt deteriorated delivering decisions customer death days day daughter date damn cutting cut disgusting disgusts divorce do elsewhere eliminating el easily earlier each duplicate due drive drastically drain limiting down double dont done doesnt customers currently cell checking combining combine college climbing climb city choose choice cheaper current charging charges charged charge changing changes changed change come coming company compared currency creep credit courtesy country costs cost continues continue continually continously constantly consolidating consider connected compromised competitive limited loyal little start stopped stop stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub thats taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers something someone some scaling series sense selection seen seems see secure second scales so save same run rules rule rotating rising risen service services servicio set situation single since significant signaling sign sight sick shoves shouldn should short she share shady several settled that their ripped waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats while there wouldn youll you yet years yearly year yall ya would who workable work wont won without will wife why value vaccine ut times try tried tracking town tooo told today tipped time using tightening tight through this things thing they these trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right live nice now notified nothing not nonsense nonesence non no next off news newest new never needed my must multiple of offer outside opening our others other original or options option opportunity opened offered ontario only oneday one once on ok offset much moved move losing makes make made luck loyalty your lower lost loose monthly looking longer long lol locations location ll living making manservices many market month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married out overpriced return rates recently recent reason really reality reactivate re rather rate rectifying raising raised raise quickly quality putting put provider recession redo own residence retiring
Topic 26 | Coherence=-218263.08 | Top words= of price the your and is terrible sharing charges prices pricing addition keep increasing that hike was just since like member you has selection months span deteriorated drastically in gone acceptance reality lack increases keeps hardly increase became use rules before ridiculous less would cant im owner caring biased grandkids gouging from forth forever free frequent get fuel future going goes go given good give girl gf getting gonna gas got gotten garbage games forcing youre for fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email fact family food fan focused flat fixed fix greed first financially financial finally fiance few feet fees feel fee fault far great havent greedy guys keeping justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested kept kidding kids let live little limiting limited limit life letting lesser laid legacy left leave learning layoff later last instead inflation increments have high her help health he having else hard hikes happy hand half had hacking hackednot hacked higher hiking increasses hungry increased income improvements ill if idea husband huge history how households household house hosehold horrible holder elsewhere down eliminating begin biden biannually bf between better benefits benefit being been bill becoming because be barely bank back awhile away biggest billing aunt business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically at el additional agree againlater again after afford adicional addtional addresses adding all added activities acct accounts account access absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost card care cared day differences didnt delivering declined decisions death deal days daughter direction date damn dad cutting cut customers customer currently different disappointed caused ll edge easily earlier each duplicate due drive drain double discontinue dont done don doesnt do divorce disgusts disgusting current currency creep checking combining combine college climbing climb city choose choice cheaper credit charging charged charge changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive living loyal location states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend sorry sub subscribers son taste there their thats thanks thank than temporary temporarily talk subscription taking take system switching support summer success subscriptions soon something they scales series sense seen seems see secure second scaling saving services save same run rule rotating rising risen rise service servicio someone sick some so situation single significant signaling sign sight shoves set shouldn should short she share shady several settled these thing locations we when whats what were went well weeks week way while waste warrant wants wanted want waiting wait vs where who value worth youll yet years yearly year yall ya wouldn workable why work wont won without with willing will wife virtue vaccine things tired tried tracking town tooo too told today to tipped trying times time tightening tight throughout through this think try twice ut up using uses users used us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right return non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered often must option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on my multiple retiring luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking longer long lol may me much moment moving moved move more monthly month money monetary mom means mistake mind might merge memberships membership members medical over overpriced own raising recent reason really reactivate re rather rates rate raises recession raised raise quickly quality putting put pushed provider recently rectifying owning reside retired
Topic 27 | Coherence=-230033.93 | Top words= it to is and for much prices keep going me expensive too as this the money use be now need other dont services unfortunately upward when save amount about times not started was never using everything your second itself its rising biannually pay feel like else are even company hikes service made few raise cant already wouldn means an charging possible leave forth fuel from frequent free emails forever games forcing learning food end focused future euro garbage goes got email good gonna gone layoff go flat given give girl gf getting get gas fix fixed extra family especially lesser fair fact face extortion first let letting expenses expected life every fan far fault less fee legacy fees left feet entertainment fiance finally entertaining last financial financially enough later great gotten increased income in just improvements justify im keeping ill if keeps idea husband kept hungry huge increase joint households increases isnt issue issues iny intolerable jacking into interested instead inflation job increments join increasses increasing how kidding gouging have hardly hard laid happy hand half had hacking hackednot hacked guys greedy greed isn grandkids has havent household having kids house hosehold horrible holder history lack hiking hike higher high elsewhere help health he her youre eliminating benefit bill biggest biden biased bf between better benefits being billings begin before been becoming because became barely bank billing bills el by care card cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly back awhile away addition againlater again after afford adicional addtional addresses additional adding automatically added activities acct accounts account access acceptance absurd agree alarming all allow aunt at aren apps aparently anyways anymore any anticonsumer another annually amounts amercian am also almost allowed cared caring caused deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double limit don doesnt do divorce disgusts customer current cell choice come combining combine college climbing climb city choose checking currency cheaper charges charged charge changing changes changed change coming compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected done loyal limited squeeze stopped stop stepdad stealing stay states starting start spouses stranger spouse spending spend span sorry soon son something stopping stupid retiring take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone some so same selection seen seems see secure scaling scales saving run situation rules rule rotating risen rise ripped right ridiculous sense series servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled thanks that thats week while where whats what were went well weeks we virtue way waste warrant wants wanted want waiting wait who why wife will youll you yet years yearly year yall ya would worth workable work wont won without with willing vs value their tightening tracking town tooo told today tired tipped time tight vaccine throughout through think things thing they these there tried try trying twice ut uses users used us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two return retired limiting nice off of notified nothing nonsense nonesence non no next offered news newest new needed my must multiple moving offer offset resume opportunity outside out our others original or options option opening often opened ontario only oneday one once on ok moved move more looking makes make luck loyalty lower lost losing loose longer months long lol locations location ll living live little making manservices many market monthly month monetary moment mom mistake mind might merge memberships membership members member medical maybe may married over overpriced own raising reason really reality reactivate re rather rates rate raises profiles raised quickly quality putting put pushed provider profits recent recently recession rectifying
Topic 28 | Coherence=-225737.38 | Top words= the and no to price not do enough of with up go good longer continues service use increases money for cost prices continue worth value your company squeeze yet as people even increase try out tired more what policy changes isnt anyways thank you games playing frequent justify subscribers agree rise vs reflect warrant college quality living benefit bye uses often offered hiking entertainment respect going drain care getting goes gotten fuel got gf gas gonna gone get future garbage given girl give youre financially from free fan family fair fact face extra extortion expensive expenses expected everything every euro especially entertaining end emails far fault fee fix forth forever forcing food focused flat fixed first feel grandkids financial finally fiance few feet fees gouging having great join jacking itself its it issues issue isn is iny intolerable into interested instead inflation increments increasses increasing job joint income just lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping keep increased in greed her health he elsewhere havent have has hardly hard happy hand half had hacking hackednot hacked guys greedy help high improvements higher im ill if idea husband hungry huge how households household house hosehold horrible holder history hikes hike email don else been biannually bf between better benefits being begin before becoming aunt because became be barely bank back awhile away biased biden biggest bill canceling cancel can by but business buggin budget broke break boyfriend both blindly bit bills billings billing automatically at cannot adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater alarming all allow are apps aparently anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cancelling cant eliminating deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically down double dont done letting doesnt divorce disgusts customer current card charges climbing climb city choose choice checking cheaper charging charged currency charge changing changed change cell caused caring cared combine combining come coming creep credit covid courtesy country costs continuous continually continously constantly constant consolidating consider connected compromised competitive compared let loyal life spend stay states starting started start spouses spouse spending span since sorry soon son something someone some so situation stealing stepdad stop stopped temporarily taste talk taking take system switching support summer success subscriptions subscription subscriber sub stupid stranger stopping single significant terrible run see secure second scaling scales saving save same rules signaling rule rotating rising risen ripped right ridiculous return seems seen selection sense sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services series temporary than like waste whats were went well weeks week we way was users wants wanted want waiting wait virtue vaccine ut when where while who youll years yearly year yall ya wouldn would workable work wont won without willing will wife why using used thanks this today tipped times time tightening tight throughout through think us things thing they these there their thats that told too tooo town upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying tried tracking retiring retired resume needed nonesence non nice next news newest new never need month my must multiple much moving moved move months nonsense nothing notified now original or options option opportunity opening opened ontario only oneday one once on ok offset offer off monthly monetary resubscribe long made luck loyalty lower lost losing loose looking lol moment locations location ll live little limiting limited limit make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many other others our raise reactivate re rather rates rate raising raises raised quickly outside putting put pushed provider profits profit profiles problem reality really reason
Topic 29 | Coherence=-220023.91 | Top words= you and been prices for benefits long nonsense keep on dont changing this at money make in price guys decisions resubscribe well doesnt sense business me making keeps it don that are too services yall years stealing when from havent because re every time with better opportunity support like offer won others being lesser greedy down virtue political temporarily signaling hungry scaling stop states share greed may combining becoming less phone must gonna good as gone going go given give girl gf goes grandkids got gotten hardly hard happy hand adicional half had hacking hackednot hacked afford after great get gouging getting games gas garbage few feet fees agree alarming feel fee fault far fan family fair fact face extra extortion expensive fiance finally financial forever have future fuel again frequent free forth forcing financially againlater food focused flat fixed fix first has help addtional acct join account job accounts jacking itself its issues just activities issue isnt isn is iny intolerable joint justify interested last about legacy left leave learning layoff later laid access lack absurd kids kidding kept acceptance keeping into instead addresses hike hosehold horrible holder history addition hiking hikes higher household high her additional expected health he having house households inflation income increments increasses increasing added increases increased increase adding how improvements im ill if idea husband huge expenses allow everything care changed change cell an caused caring cared card amounts cant cannot cancelling canceling cancel can annually changes charge by climb compared company coming come combine college climbing city charged choose amount choice checking cheaper charging charges bye but all aren anymore anyways benefit aparently begin before apps became bf be barely bank back awhile away automatically between biannually another blindly buggin budget broke break boyfriend anticonsumer both bit any bills billings billing bill biggest biden biased competitive compromised connected already drive drastically drain double allowed done almost let duplicate do divorce disgusts disgusting discontinue disappointed direction due each consider end even euro aunt especially entertainment entertaining enough emails earlier email elsewhere else eliminating el edge easily different differences didnt cost currency creep credit covid courtesy country costs continuous deteriorated continues continue continually continously constantly constant consolidating current currently customer customers delivering declined also death deal days day daughter date damn dad am cutting cut amercian youre loyal letting spouse stopped stepdad stay starting started start squeeze spouses spending situation spend span sorry soon son something someone some stopping stranger stupid sub thanks thank than terrible temporary taste talk taking take system switching summer success subscriptions subscription subscribers subscriber so single resume rule secure second scales saving save same run rules rotating since rising risen rise ripped right ridiculous return retiring see seems seen selection significant sign sight sick shoves shouldn should short she sharing shady several settled set servicio service series thats the their warrant were went weeks week we way waste was wants there wanted want waiting wait vs value vaccine ut what whats where while youll yet yearly year ya wouldn would worth workable work wont without willing will wife why who using uses users tried town tooo told today to tired tipped times tightening tight throughout through think things thing they these tracking try used trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retired restriction life new not nonesence non no nice next news newest never months needed need my multiple much moving moved move nothing notified now of other original or options option opening opened ontario only oneday one once ok often offset offered off more monthly restrict lol loyalty your lower lost losing loose looking longer locations month location ll living live little limiting limited limit luck made makes manservices monetary moment mom mistake mind might merge memberships membership members member medical means maybe married market many our out outside quickly reactivate rather rates rate raising raises raised raise quality over putting put pushed provider profits profit profiles problem reality really reason
Topic 30 | Coherence=-230220.39 | Top words= your also greedy the price to because way money hikes fan subscriptions over few many extra not years charging share of cancel raised shady tried pay almost offer fact once dont like that used you and raising prices are or improvements any differences without talk bye pricing recent limited issues kept who cut go gotten guys greed great garbage gas get grandkids gouging getting got gf girl given good gonna give gone going future goes games fix fuel from far family fair face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end fault fee feel focused frequent free forth forever forcing for food flat fees fixed first financially financial finally fiance feet hacked health hackednot keep just joint join job jacking itself its it issue isnt isn is iny intolerable into interested instead justify keeping increments keeps limit life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding inflation increasses hacking history hike higher high her help email he having havent have has hardly hard happy hand half had hiking holder increasing horrible increases increased increase income in im ill if idea husband hungry huge how households household house hosehold emails youre elsewhere being biden biased biannually bf between better benefits benefit begin bill before been becoming became be barely bank back biggest billing away business card cant cannot cancelling canceling can by but buggin billings budget broke break boyfriend both blindly bit bills awhile automatically cared adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aunt another at as aren apps aparently anyways anymore anticonsumer annually all an amounts amount amercian am already allowed allow care caring else deal direction different didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting customers customer disappointed disgusting current drive eliminating el edge easily earlier each duplicate due drastically disgusts drain limiting double done don doesnt do divorce currently currency caused checking combining combine college climbing climb city choose choice cheaper coming charges charged charge changing changes changed change cell come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive down loyal little squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger their take thanks thank than terrible temporary temporarily taste taking system stupid switching support summer success subscription subscribers subscriber sub someone some so saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service services single since significant signaling sign sight sick shoves shouldn should short she sharing several settled set servicio thats there live was what were went well weeks week we waste warrant when wants wanted want waiting wait vs virtue value whats where these worth youll yet yearly year yall ya wouldn would workable while work wont won with willing will wife why vaccine ut using time town tooo too told today tired tipped times tightening uses tight throughout through this think things thing they tracking try trying twice users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous newest nothing nonsense nonesence non no nice next news new now never needed need my must multiple much moving notified off return opening out our others other original options option opportunity opened offered ontario only oneday one on ok often offset moved move more losing making makes make made luck loyalty lower lost loose months looking longer long lol locations location ll living manservices market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe outside overpriced own rates recession recently reason really reality reactivate re rather rate profit raises raise quickly quality putting put pushed provider rectifying redo reduce reducing
Topic 31 | Coherence=-225169.45 | Top words= price increase added the it and to is better was services benefit climb pay but year every good when not what seems nothing more other really am be should prices continues too ok customer have no garbage keep down manservices market drive competitive from much shouldn pick why charged paying willing half blindly horrible service last way being hardly since loyal of quality tired afford care rising platforms prefer hacked original do tight get face expensive extra getting extortion fact gf gonna girl entertainment gas given expenses expected go everything even euro goes especially going gone give flat fair few got fix first financially food financial for finally forcing forever forth fiance free family frequent feet fees feel fee fault far fuel future fan games fixed focused havent gotten income jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases job join joint later lesser less legacy left leave learning layoff laid just lack kids kidding kept keeps keeping justify increased in gouging improvements help health he having enough has hard happy hand had hacking hackednot guys greedy greed great grandkids her high higher how im ill if idea husband hungry huge households hike household house hosehold holder history hiking hikes entertaining done end before biggest biden biased biannually bf between benefits begin been aunt becoming because became barely bank back awhile away bill billing billings bills card cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both bit automatically at caring addition agree againlater again after adicional addtional addresses additional adding as activities acct accounts account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost cared caused emails declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusting disgusts divorce doesnt email elsewhere else eliminating el edge easily earlier each duplicate due drastically drain double dont letting don cutting customers cell choice coming come combining combine college climbing city choose checking currently cheaper charging charges charge changing changes changed change company compared compromised connected current currency creep credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider let youre life started stopping stopped stop stepdad stealing stay states starting start something squeeze spouses spouse spending spend span sorry soon stranger stupid sub subscriber thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers son someone that same seen see secure second scaling scales saving save run some rules rule rotating risen rise ripped right ridiculous selection sense series servicio so situation single significant signaling sign sight sick shoves short she sharing share shady several settled set thanks thats like warrant whats were went well weeks week we waste wants using wanted want waiting wait vs virtue value vaccine where while who wife youll you yet years yearly yall ya wouldn would worth workable work wont won without with will ut uses their tightening tracking town tooo told today tipped times time throughout users through this think things thing they these there tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retiring retired need non nice next news newest new never needed my monetary must multiple moving moved move months monthly month nonesence nonsense notified now or options option opportunity opening opened ontario only oneday one once on often offset offered offer off money moment resume lol your lower lost losing loose looking longer long locations mom location ll living live little limiting limited limit loyalty luck made make mistake mind might merge memberships membership members member medical means me maybe may married many making makes others our out raises reason reality reactivate re rather rates rate raising raised outside raise quickly putting put pushed provider profits profit recent recently recession
Topic 32 | Coherence=-223225.84 | Top words= price in other with the one dont subscriptions of two limited rise no sharing house increase talk moved continues resume direction tipped scales entertainment finally fuel bye having goes on continually significant will recent selection back need more have costs when changing agree done sight cut than increases short end subscription amount later bank time thats we climb aparently our multiple year are can adding raising greed ll really signaling future good getting games gonna gone get going go garbage given give girl gf gas youre from expensive far fan family fair fact face extra extortion expenses frequent expected everything every even euro especially entertaining enough fault fee feel fees free forth forever forcing for food focused flat fixed gotten fix first financially financial fiance few feet got has gouging join jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses job joint grandkids just lesser less legacy left leave learning layoff last laid lack kids kidding kept keeps keeping keep justify increasing increased income improvements help health he havent email hardly hard happy hand half had hacking hackednot hacked guys greedy great her high higher how im ill if idea husband hungry huge households hike household hosehold horrible holder history hiking hikes emails do elsewhere begin biased biannually bf between better benefits benefit being before card been becoming because became be barely awhile away biden biggest bill billing cannot cancelling canceling cancel by but business buggin budget broke break boyfriend both blindly bit bills billings automatically aunt at alarming again after afford adicional addtional addresses additional addition added activities acct accounts account access acceptance absurd about againlater all as allow aren apps anyways anymore any anticonsumer another annually and an amounts amercian am also already almost allowed cant care else deal different differences didnt deteriorated delivering declined decisions death days cared day daughter date damn dad cutting customers customer disappointed discontinue disgusting disgusts eliminating el edge easily earlier each duplicate due drive drastically drain down double don doesnt letting divorce currently current currency combining college climbing city choose choice checking cheaper charging charges charged charge changes changed change cell caused caring combine come creep coming credit covid courtesy country cost continuous continue continously constantly constant consolidating consider connected compromised competitive compared company let loyal life squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger stupid that thanks thank terrible temporary temporarily taste taking take system switching support summer success subscribers subscriber sub someone so there rule secure second scaling saving save same run rules rotating situation rising risen ripped right ridiculous return retiring retired see seems seen sense single since sign sick shoves shouldn should she share shady several settled set servicio services service series their these like waste whats what were went well weeks week way was vaccine warrant wants wanted want waiting wait vs virtue where while who why youll you yet years yearly yall ya wouldn would worth workable work wont won without willing wife value ut they tired tried tracking town tooo too told today to times using tightening tight throughout through this think things thing try trying twice unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under resubscribe restriction restrict never nonsense nonesence non nice next news newest new needed monetary my must much moving move months monthly month not nothing notified now original or options option opportunity opening opened ontario only oneday once ok often offset offered offer off money moment restart longer luck loyalty your lower lost losing loose looking long mom lol locations location living live little limiting limit made make makes making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices others out outside put rates rate raises raised raise quickly quality putting pushed over provider profits profit profiles problem pricing prices president rather re reactivate
Topic 33 | Coherence=-220996.85 | Top words= it the can time this at you afford my not as use in months just moved by many but see last using high other willing think again start am increasing rising apps pay charge justify been keeps before interested increase charging entertaining second want quality rise constantly understand preemptively games get future gas getting fuel from garbage youre gf got guys greedy greed great grandkids gouging gotten good girl gonna gone going goes go given give frequent fixed free expected family fair fact face extra extortion expensive expenses everything forth every even euro especially entertainment enough end emails fan far fault fee forever forcing for food focused flat hackednot fix first financially financial finally fiance few feet fees feel hacked higher hacking had kept keeping keep joint join job jacking itself its issues issue isnt isn is iny intolerable into kidding kids lack let little limiting limited limit like life letting lesser laid less legacy left leave learning layoff later instead inflation increments having hikes hike elsewhere her help health he havent history have has hardly hard happy hand half hiking holder increasses idea increases increased income improvements im ill if husband horrible hungry huge how households household house hosehold email dont else benefit biggest biden biased biannually bf between better benefits being billing begin becoming because became be barely bank back bill billings eliminating bye cared care card cant cannot cancelling canceling cancel business bills buggin budget broke break boyfriend both blindly bit awhile away automatically adding agree againlater after adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about alarming all allow allowed aren are aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost caring caused cell decisions disappointed direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double living done don doesnt do cut customer change city company coming come combining combine college climbing climb choose currently choice checking cheaper charges charged changing changes changed compared competitive compromised connected current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider live loyal ll started stopping stopped stop stepdad stealing stay states starting squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers something some return saving series sense selection seen seems secure scaling scales save services same run rules rule rotating risen ripped right service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled that thats their we when whats what were went well weeks week way while waste was warrant wants wanted waiting wait vs where who there would youll yet years yearly year yall ya wouldn worth why workable work wont won without with will wife virtue value vaccine tipped tracking town tooo too told today to tired times ut tightening tight throughout through things thing they these tried try trying twice uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed under unable two ridiculous retiring location non offer off of now notified nothing nonsense nonesence no offset nice next news newest new never needed need offered often multiple option over outside out our others original or options opportunity ok opening opened ontario only oneday one once on must much retired your market manservices making makes make made luck loyalty lower may lost losing loose looking longer long lol locations married maybe moving mistake move more monthly month money monetary moment mom mind me might merge memberships membership members member medical means overpriced own owner raising reason really reality reactivate re rather rates rate raises recently raised raise quickly putting put pushed provider profits recent recession owning repurposing resume
Topic 34 | Coherence=-209940.54 | Top words= to it not pay because have with using that but in cheaper option card just automatically wanted credit really told euro going was currency daughter is charged living continues save extra company replace think rising don options free up starting reflect begin pop long cared policies tried go gf getting girl get give given especially gas fair entertainment goes gouging greedy greed emails great end grandkids gotten garbage got enough good gonna entertaining gone even fuel games future financially extortion financial finally fiance few face feet fees feel fee fault far fact fan expensive first fix forth every family from frequent everything expected expenses fixed forever guys for food focused flat forcing youre hacked itself keeps keeping keep justify joint join job jacking its kidding issues issue isnt isn iny intolerable into interested kept kids inflation lesser little limiting limited limit like life letting let less lack legacy left leave learning layoff later last laid instead increments hackednot having hikes hike higher high her help health he havent history has hardly hard happy hand half had hacking hiking holder increasses if increasing increases increased increase income improvements im ill idea horrible husband hungry huge how households household house hosehold email double elsewhere became between better benefits benefit being before been becoming be biannually barely bank back awhile away aunt at as bf biased else break cancel can bye by business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest aren are apps adding again after afford adicional addtional addresses additional addition added aparently activities acct accounts account access acceptance absurd about againlater agree alarming all anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed allow canceling cancelling cannot death direction different differences didnt deteriorated delivering declined decisions deal currently days day date damn dad cutting cut customers disappointed discontinue disgusting disgusts eliminating el edge easily earlier each duplicate due drive drastically drain down dont done doesnt do divorce customer current cant charges college climbing climb city choose choice checking charging charge creep changing changes changed change cell caused caring care combine combining come coming covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared live loyal ll squeeze stopped stop stepdad stealing stay states started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone so thats scales sense selection seen seems see secure second scaling saving service same run rules rule rotating risen rise ripped series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thanks the location week where when whats what were went well weeks we who way waste warrant wants want waiting wait vs while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will virtue vaccine their tightening town tooo too today tired tipped times time tight try throughout through this things thing they these there tracking trying ut until uses users used use us upward upping upcoming unneeded twice unnecessary unfortunately unfair unemployed understand under unable two right ridiculous return next now notified nothing nonsense nonesence non no nice news off newest new never needed need my must multiple of offer moving opened out our others other original or opportunity opening ontario offered only oneday one once on ok often offset much moved retiring loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer lol locations married maybe move mistake more months monthly month money monetary moment mom mind me might merge memberships membership members member medical means outside over overpriced raised reality reactivate re rather rates rate raising raises raise recent quickly quality putting put pushed provider profits profit reason recently own reside retired
 73%|███████▎  | 35/48 [2:04:49<1:09:22, 320.17s/it]
Topic 35 | Coherence=-231671.26 | Top words= and the my of to price this increase not made be subscription expensive putting choose want activities already into kids between now location out are changed spending was or other new country different currency you being one current budget happy moved used that have by moving financial opened with as sick mistake off duplicate in unemployed stranger is lol ripped raising people issues ontario cut has situation damn she even same getting subscriptions they rates accounts gotten gas got good going gonna get girl give goes gf go given gone youre garbage feet feel fee fault far fan family fair fact face extra extortion expenses expected everything every euro especially fees few games fiance future fuel from frequent free forth forever gouging for food focused flat fixed fix first financially finally forcing havent grandkids intolerable itself its it issue isnt isn iny interested job instead inflation increments increasses increasing increases increased jacking join great laid legacy left leave learning layoff later last lack joint kidding kept keeps keeping keep justify just income improvements im hand help health he having entertaining hardly hard half ill had hacking hackednot hacked guys greedy greed her high higher hike if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes entertainment done enough benefit bill biggest biden biased biannually bf better benefits begin away before been becoming because became barely bank back billing billings bills bit care card cant cannot cancelling canceling cancel can bye but business buggin broke break boyfriend both blindly awhile automatically caring additional agree againlater again after afford adicional addtional addresses addition aunt adding added acct account access acceptance absurd about alarming all allow allowed at aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also almost cared caused end deteriorated divorce disgusts disgusting discontinue disappointed direction differences didnt delivering cutting declined decisions death deal days day daughter date do doesnt don lesser emails email elsewhere else eliminating el edge easily earlier each due drive drastically drain down double dont dad customers cell choice coming come combining combine college climbing climb city checking customer cheaper charging charges charged charge changing changes change company compared competitive compromised currently creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected less loyal let start stopped stop stepdad stealing stay states starting started squeeze some spouses spouse spend span sorry soon son something stopping stupid sub subscriber thats thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers someone so letting save seen seems see secure second scaling scales saving run single rules rule rotating rising risen rise right ridiculous selection sense series service since significant signaling sign sight shoves shouldn should short sharing share shady several settled set servicio services their there these week where when whats what were went well weeks we thing way waste warrant wants wanted waiting wait vs while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will virtue value vaccine trying tried tracking town tooo too told today tired tipped times time tightening tight throughout through think things try twice ut two using uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable return retiring retired need non no nice next news newest never needed must overpriced multiple much move more months monthly month money nonesence nonsense nothing notified outside our others original options option opportunity opening only oneday once on ok often offset offered offer monetary moment mom loyalty lower lost losing loose looking longer long locations ll living live little limiting limited limit like life your luck mind make might merge memberships membership members member medical means me maybe may married market many manservices making makes over own resume raised reason really reality reactivate re rather rate raises raise owner quickly quality put pushed provider profits profit profiles recent recently recession
Average topic coherence for the top words is -223046.1982404126
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.29it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.26it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.25it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.26it/s]
 10%|█         | 5/50 [00:00<00:08,  5.25it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.26it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.24it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.24it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.25it/s]
 20%|██        | 10/50 [00:01<00:07,  5.24it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.27it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.28it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.28it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.27it/s]
 30%|███       | 15/50 [00:02<00:06,  5.27it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.25it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.24it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.24it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.25it/s]
 40%|████      | 20/50 [00:03<00:05,  5.25it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.26it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.25it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.24it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.24it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.27it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.25it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.26it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.27it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.26it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.27it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.20it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.22it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.24it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.23it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.23it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.23it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.25it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.24it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.25it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.27it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.27it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.26it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.28it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.27it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.28it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.31it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.30it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.31it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.28it/s]
100%|██████████| 50/50 [00:09<00:00,  5.26it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.37it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.49it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.49it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.49it/s]
 10%|█         | 5/50 [00:00<00:06,  6.51it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.52it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.51it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.53it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.53it/s]
 20%|██        | 10/50 [00:01<00:06,  6.48it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.50it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.50it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.51it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.53it/s]
 30%|███       | 15/50 [00:02<00:05,  6.54it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.54it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.53it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.54it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.54it/s]
 40%|████      | 20/50 [00:03<00:04,  6.53it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.54it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.55it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.56it/s]
 48%|████▊     | 24/50 [00:03<00:03,  6.53it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.54it/s]
 52%|█████▏    | 26/50 [00:03<00:03,  6.54it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.52it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.51it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.51it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.49it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.50it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.49it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.49it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.48it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.43it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.48it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.47it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.48it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.51it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.54it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.55it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.53it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.53it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.50it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.51it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.52it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.52it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.51it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.52it/s]
100%|██████████| 50/50 [00:07<00:00,  6.51it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.46it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.45it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.44it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.42it/s]
 10%|█         | 5/50 [00:01<00:13,  3.42it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.44it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.43it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.43it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.43it/s]
 20%|██        | 10/50 [00:02<00:11,  3.42it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.43it/s]
 24%|██▍       | 12/50 [00:03<00:11,  3.43it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.43it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.43it/s]
 30%|███       | 15/50 [00:04<00:10,  3.42it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.43it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.44it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.44it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.45it/s]
 40%|████      | 20/50 [00:05<00:08,  3.46it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.44it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.43it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.44it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.43it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.43it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.43it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.43it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.41it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.41it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.43it/s]
 62%|██████▏   | 31/50 [00:09<00:05,  3.43it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.41it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.42it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.42it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.43it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.43it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.45it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.45it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.46it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.47it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.47it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.46it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.46it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.46it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.44it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.44it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.45it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.45it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.46it/s]
100%|██████████| 50/50 [00:14<00:00,  3.44it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.67it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.68it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.68it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.67it/s]
 10%|█         | 5/50 [00:01<00:16,  2.67it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.67it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.66it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.67it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.67it/s]
 20%|██        | 10/50 [00:03<00:15,  2.67it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.67it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.67it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.66it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.64it/s]
 30%|███       | 15/50 [00:05<00:13,  2.66it/s]
 32%|███▏      | 16/50 [00:06<00:12,  2.66it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.66it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.67it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.68it/s]
 40%|████      | 20/50 [00:07<00:11,  2.67it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.68it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.67it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.67it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.65it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.65it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.66it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.66it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.65it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.66it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.67it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.67it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.66it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.66it/s]
 68%|██████▊   | 34/50 [00:12<00:06,  2.66it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.67it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.66it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.67it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.66it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.67it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.67it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.67it/s]
 84%|████████▍ | 42/50 [00:15<00:03,  2.66it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.66it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.66it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.66it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.66it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.67it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.67it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.67it/s]
100%|██████████| 50/50 [00:18<00:00,  2.66it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:28,  1.73it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.74it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.74it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.74it/s]
 10%|█         | 5/50 [00:02<00:25,  1.74it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.75it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.75it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.75it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.75it/s]
 20%|██        | 10/50 [00:05<00:22,  1.75it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.74it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.75it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.74it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.74it/s]
 30%|███       | 15/50 [00:08<00:20,  1.74it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.75it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.75it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.74it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.74it/s]
 40%|████      | 20/50 [00:11<00:17,  1.74it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.75it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.74it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.75it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.75it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.75it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.75it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.75it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.74it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.74it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.74it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.74it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.74it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.74it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.75it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.75it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.75it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.75it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.75it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.75it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.74it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.74it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.75it/s]
 86%|████████▌ | 43/50 [00:24<00:04,  1.75it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.75it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.74it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.74it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.74it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.74it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.74it/s]
100%|██████████| 50/50 [00:28<00:00,  1.75it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.90it/s]
Topic 0 | Coherence=-231351.77 | Top words= it not and price afford anymore now this the keep can don but raising cant worth time at share pay us right letting increasing using for use keeps too high think hardly customers way thanks am lost job willing out want money so increased longer month extra by much start fault interested any cannot again upping inflation increase losing kids my isn outside unemployed tight policy broke garbage goes grandkids gouging frequent gotten going go from gas got fuel future given give get gone games girl free gonna gf getting good finally forth every fact face extortion expensive expenses expected everything even forever euro especially entertainment entertaining enough end emails fair family fan far forcing food focused flat fixed fix first financially financial fiance few feet fees feel fee great youre greed iny jacking itself its issues issue isnt is intolerable greedy into instead increments increasses increases income in join joint just justify let lesser less legacy left leave learning layoff later last laid lack kidding kept keeping improvements im ill her health he having havent have has hard happy hand half had hacking hackednot hacked guys help higher if elsewhere idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike email doesnt else being biden biased biannually bf between better benefits benefit begin awhile before been becoming because became be barely bank biggest bill billing billings caring cared care card cancelling canceling cancel bye business buggin budget break boyfriend both blindly bit bills back away cell adding agree againlater after adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about alarming all allow allowed aunt as aren are apps aparently anyways anticonsumer another annually an amounts amount amercian also already almost caused change eliminating death direction different differences didnt deteriorated delivering declined decisions deal currently days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double dont done like do divorce customer current changed choose coming come combining combine college climbing climb city choice currency checking cheaper charging charges charged charge changing changes company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected life loyal limit spend stay states starting started squeeze spouses spouse spending span stepdad sorry soon son something someone some situation single stealing stop limited summer temporarily taste talk taking take system switching support success stopped subscriptions subscription subscribers subscriber sub stupid stranger stopping since significant signaling rules secure second scaling scales saving save same run rule sign rotating rising risen rise ripped ridiculous return retiring see seems seen selection sight sick shoves shouldn should short she sharing shady several settled set servicio services service series sense temporary terrible than week where when whats what were went well weeks we value waste was warrant wants wanted waiting wait vs while who why wife youll you yet years yearly year yall ya wouldn would workable work wont won without with will virtue vaccine thank throughout tooo told today to tired tipped times tightening through ut things thing they these there their thats that town tracking tried try uses users used upward upcoming up until unneeded unnecessary unfortunately unfair understand under unable two twice trying retired resume resubscribe news notified nothing nonsense nonesence non no nice next newest more new never needed need must multiple moving moved of off offer offered other original or options option opportunity opening opened ontario only oneday one once on ok often offset move months our looking makes make made luck loyalty your lower loose long monthly lol locations location ll living live little limiting making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married others over restriction raise reality reactivate re rather rates rate raises raised quickly pricing quality putting put pushed provider profits profit profiles really reason recent recently
Topic 1 | Coherence=-226943.31 | Top words= prices and the you raising raised have customer stop new your of price fees customers money just worth even rate increases as rules keep anymore many increase times on charges care this garbage addtional youll greedy gotten back upcoming pricing me made addition about into services continue better before success year damn every continously activities restriction raise put canceling some that next preemptively hike aren focused please twice health summer ridiculous added these blindly been creep squeeze goes got good future gonna gone going get given give girl fuel gf games getting gas go youre from extra far fan family fair fact face extortion fee expensive expenses expected everything euro especially fault feel frequent flat free forth forever forcing for food fixed feet fix first financial finally fiance few financially he gouging income jacking itself its it issues issue isnt isn is iny intolerable interested instead inflation increments increasses increasing job join joint later lesser less legacy left leave learning layoff last justify laid lack kids kidding kept keeps keeping increased in grandkids improvements help entertaining having havent has hardly hard happy hand half had hacking hackednot hacked guys greed great her high higher how im ill if idea husband hungry huge households hikes household house hosehold horrible holder history hiking entertainment done enough bf bills billings billing bill biggest biden biased biannually between end benefits benefit being begin becoming because became be bit both boyfriend break cell caused caring cared card cant cannot cancelling cancel can bye by but business buggin budget broke barely bank awhile allowed all alarming agree againlater again after afford adicional addresses additional adding acct accounts account access acceptance absurd allow almost away already automatically aunt at are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also change changed changes don do divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days doesnt letting daughter dont emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double day date changing compromised compared company coming come combining combine college climbing climb city choose choice checking cheaper charging charged charge competitive connected dad consider cutting cut currently current currency credit covid courtesy country costs cost continuous continues continually constantly constant consolidating let loyal life spouses stopped stepdad stealing stay states starting started start spouse situation spending spend span sorry soon son something someone stopping stranger stupid sub thanks thank than terrible temporary temporarily taste talk taking take system switching support subscriptions subscription subscribers subscriber so single their save seen seems see secure second scaling scales saving same since run rule rotating rising risen rise ripped right selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thats there like way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs when where while who yet years yearly yall ya wouldn would workable work wont won without with willing will wife why virtue vaccine they tired tried tracking town tooo too told today to tipped ut time tightening tight throughout through think things thing try trying two unable using uses users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under return retiring retired needed nonsense nonesence non no nice news newest never need monthly my must multiple much moving moved move more not nothing notified now or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off months month resume lol loyalty lower lost losing loose looking longer long locations monetary location ll living live little limiting limited limit luck make makes making moment mom mistake mind might merge memberships membership members member medical means maybe may married market manservices original other others quality really reality reactivate re rather rates raises quickly putting our pushed provider profits profit profiles problem president prescription reason recent recently
Topic 2 | Coherence=-225152.15 | Top words= prices time it for at keep increasing and long only like rates customer will loyalty feel subscriber alarming going there we is no to other are this of paying you just take again dont need doesnt decisions guys well making when business resubscribe sense before start make that things care first users declined card being on stop adding far can bills break second monthly apps eliminating way raising subscriptions especially great greedy expected getting greed entertainment gf girl give given go grandkids gonna everything every gouging goes even gotten got euro good gone get expensive expenses fault food focused fan flat fixed fix financially gas fee financial fees finally fiance few family forcing forever fair forth fact free frequent face extra from fuel future extortion feet games garbage youre help hacked increased join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses joint justify keeping learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept increases increase hackednot income higher high her enough health he having havent have has hardly hard happy hand half had hacking hike hikes hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder entertaining don end benefit biggest biden biased biannually bf between better benefits begin emails been becoming because became be barely bank back bill billing billings bit caused caring cared cant cannot cancelling canceling cancel bye by but buggin budget broke boyfriend both blindly awhile away automatically all againlater after afford adicional addtional addresses additional addition added activities acct accounts account access acceptance absurd about agree allow aunt allowed as aren aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cell change changed disgusting disappointed direction different differences didnt deteriorated delivering death deal days day daughter date damn dad cutting cut discontinue disgusts currently divorce email elsewhere else el edge easily earlier each duplicate due drive drastically drain down double done do customers current changes compared coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing company competitive currency compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected life loyal limit spend stay states starting started squeeze spouses spouse spending span since sorry soon son something someone some so situation stealing stepdad stopped stopping than terrible temporary temporarily taste talk taking system switching support summer success subscription subscribers sub stupid stranger single significant thanks rules see secure scaling scales saving save same run rule signaling rotating rising risen rise ripped right ridiculous return seems seen selection series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service thank thats retired was where whats what were went weeks week waste warrant ut wants wanted want waiting wait vs virtue value while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vaccine using the times tracking town tooo too told today tired tipped tightening uses tight throughout through think thing they these their tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring resume limited newest nothing not nonsense nonesence non nice next news new more never needed my must multiple much moving moved notified now off offer our others original or options option opportunity opening opened ontario oneday one once ok often offset offered move months outside looking makes made luck your lower lost losing loose longer month lol locations location ll living live little limiting manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may out over restriction quickly reality reactivate re rather rate raises raised raise quality price putting put pushed provider profits profit profiles problem really reason recent recently
Topic 3 | Coherence=-204217.32 | Top words= am and just fixed income off keeps expenses access up going is increments of it reducing on laid being greed sick cut lol retired non ripped must time coming outside retiring play unneeded summer flat climbing broke costs future fuel from games frequent garbage youre gas good hacked guys greedy great grandkids gouging gotten got gonna get gone goes go given free girl gf getting give focused forth forever fact face extra extortion expensive expected everything every even euro especially entertainment entertaining enough end emails email fair family fan financial forcing for food hacking fix first financially finally far fiance few feet fees feel fee fault hackednot he had job kids kidding kept keeping keep justify joint join jacking last itself its issues issue isnt isn iny intolerable lack later half like location ll living live little limiting limited limit life layoff letting let lesser less legacy left leave learning into interested instead health history hiking hikes hike higher high her help else inflation having havent have has hardly hard happy hand holder horrible hosehold house increasses increasing increases increased increase in improvements im ill if idea husband hungry huge how households household elsewhere each eliminating been biannually bf between better benefits benefit begin before becoming biden because became be barely bank back awhile away biased biggest aunt buggin cancelling canceling cancel can bye by but business budget bill break boyfriend both blindly bit bills billings billing automatically at cant addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian also already almost allowed cannot card el days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting customers customer currently different disappointed currency down edge easily earlier duplicate due drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting current creep care charged climb city choose choice checking cheaper charging charges charge combine changing changes changed change cell caused caring cared college combining credit continously covid courtesy country cost continuous continues continue continually constantly come constant consolidating consider connected compromised competitive compared company locations loyal long rule subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending subscription subscriptions success than these there their the thats that thanks thank terrible support temporary temporarily taste talk taking take system switching spend span sorry seems set servicio services service series sense selection seen see several secure second scaling scales saving save same run settled shady soon significant son something someone some so situation single since signaling share sign sight shoves shouldn should short she sharing they thing things weeks while where when whats what were went well week why we way waste was warrant wants wanted want who wife wait wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing waiting vs think today trying try tried tracking town tooo too told to two tired tipped times tightening tight throughout through this twice unable virtue us value vaccine ut using uses users used use upward under upping upcoming until unnecessary unfortunately unfair unemployed understand rules rotating longer rising ok often offset offered offer now notified nothing not nonsense nonesence no nice next news newest new never needed once one oneday others pagos owning owner own overpriced over out our other only original or options option opportunity opening opened ontario need my multiple make maybe may married market many manservices making makes made means luck loyalty your lower lost losing loose looking me medical much monetary moving moved move more months monthly month money moment member mom mistake mind might merge memberships membership members parent parents passed re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reflect put restrict risen rise
Topic 4 | Coherence=-213220.24 | Top words= to back cut need be will month of end expenses payment move just costs in fuel other the entertainment using on increased having per almost rise rent else with rotating something ill platform awhile looking week membership may another redo apps everything spend one right it enough later girl garbage greedy greed future great games grandkids gouging gotten got good give gas get gonna gone getting going goes go given gf from fix frequent free far fan family fair fact face extra extortion expensive expected every even euro especially entertaining emails email fault fee feel fixed forth forever forcing for food focused flat hacked fees first financially financial finally fiance few feet guys health hackednot kept keeping keep justify joint join job jacking itself its issues issue isnt isn is iny intolerable into keeps kidding hacking kids limiting limited limit like life letting let lesser less legacy left leave learning layoff last laid lack interested instead inflation increments hiking hikes hike higher high her help he havent have has hardly hard happy hand half had history holder horrible if increasses increasing increases increase income improvements im idea hosehold husband hungry huge how households household house elsewhere youre eliminating automatically bill biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became barely bank billing billings bills by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly away aunt el at againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree alarming all annually as aren are aparently anyways anymore any anticonsumer and allow an amounts amount amercian am also already allowed care cared caring caused direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting customers customer disappointed discontinue disgusting drastically edge easily earlier each duplicate due drive live drain disgusts down double dont done don doesnt do divorce currently current currency cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming creep continually credit covid courtesy country cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared little loyal living stealing subscriber sub stupid stranger stopping stopped stop stepdad stay subscription states starting started start squeeze spouses spouse spending subscribers subscriptions sorry temporary there their thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer span soon ll see servicio services service series sense selection seen seems secure settled second scaling scales saving save same run rules set several son sign someone some so situation single since significant signaling sight shady sick shoves shouldn should short she sharing share these they thing way when whats what were went well weeks we waste while was warrant wants wanted want waiting wait vs where who things wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife virtue value vaccine tired try tried tracking town tooo too told today tipped ut times time tightening tight throughout through this think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rule rising risen non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed my offered often owning or own overpriced over outside out our others original options ok option opportunity opening opened ontario only oneday once must multiple much your many manservices making makes make made luck loyalty lower moving lost losing loose longer long lol locations location market married maybe me moved more months monthly money monetary moment mom mistake mind might merge memberships members member medical means owner pagos ripped rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession reduce parent restart ridiculous
Topic 5 | Coherence=-229679.03 | Top words= the and price in is me with increases my have subscriber so up to shoves pop keeping iny forcing face nice are especially life make ridiculous choice you greedy lost for we currently more has subscriptions your expensive anymore worth just not no constant anticonsumer moved months continues moving rise over subscription sight edge who pushed locations upcoming consolidating fiance son end boyfriend fee throughout pay raises history gouging raising twice two short broke covid new shady stopping wants sick added didnt her want family fuel frequent given give from girl future gf getting get gas garbage games youre financially free everything fair fact extra extortion expenses expected every forth even euro entertainment entertaining enough emails fan far fault feel fees feet few finally financial goes first fix fixed flat focused food forever go hardly going inflation issue isnt isn intolerable into interested instead increments it increasses increasing increased increase income improvements im issues its if kidding learning layoff later last laid lack kids kept itself keeps keep justify joint join job jacking ill idea gone hacked hard happy hand half had hacking hackednot guys havent greed great grandkids gotten got good gonna elsewhere having husband horrible hungry huge how households household house hosehold holder he hiking hikes hike higher high help health email disgusts else before biannually bf between better benefits benefit being begin been automatically becoming because became be barely bank back awhile biased biden biggest bill cancelling canceling cancel can bye by but business buggin budget break both blindly bit bills billings billing away aunt cant addition againlater again after afford adicional addtional addresses additional adding at activities acct accounts account access acceptance absurd about agree alarming all allow as aren apps aparently anyways any another annually an amounts amount amercian am also already almost allowed cannot card eliminating deal direction different differences deteriorated delivering declined decisions death days current day daughter date damn dad cutting cut customers disappointed discontinue disgusting left el easily earlier each duplicate due drive drastically drain down double dont done don doesnt do divorce customer currency care charged climbing climb city choose checking cheaper charging charges charge creep changing changes changed change cell caused caring cared college combine combining come credit courtesy country costs cost continuous continue continually continously constantly consider connected compromised competitive compared company coming leave loyal legacy spouse stealing stay states starting started start squeeze spouses spending restrict spend span sorry soon something someone some situation stepdad stop stopped stranger thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers sub stupid single since significant second scales saving save same run rules rule rotating rising risen ripped right return retiring retired resume resubscribe scaling secure signaling see sign shouldn should she sharing share several settled set servicio services service series sense selection seen seems thanks that thats where whats what were went well weeks week way waste was warrant wanted waiting wait vs virtue value when while ut why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife vaccine using their town too told today tired tipped times time tightening tight through this think things thing they these there tooo tracking uses tried users used use us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under unable trying try restriction restart less needed nothing nonsense nonesence non next news newest never need respect must multiple much move monthly month money monetary notified now of off or options option opportunity opening opened ontario only oneday one once on ok often offset offered offer moment mom mistake lower loose looking longer long lol location ll living live little limiting limited limit like letting let lesser losing loyalty mind luck might merge memberships membership members member medical means maybe may married market many manservices making makes made original other others reactivate rather rates rate raised raise quickly quality putting put provider profits profit profiles problem pricing prices president re reality prefer
Topic 6 | Coherence=-225134.57 | Top words= price to raised for used not worth tried pay almost offer me shady also fact once way be enough like increase dont high your has too are no long currently much its good been will cost while raising renewing that because or improvements respect any differences legacy run members prices without fees the risen quickly cancelling temporarily later tooo prescription workable rejoin into wife we year should climbing week going gone forever forth forcing girl future free frequent from goes fuel go games given garbage gas get getting give gf youre fee food even extortion expensive expenses expected everything every euro face especially entertainment entertaining end emails email extra fair focused finally flat fixed fix first financially financial fiance family few feet feel fault far fan gonna havent got itself issues issue isnt isn is iny intolerable interested instead inflation increments increasses increasing increases increased income in it jacking gotten job left leave learning layoff last laid lack kids kidding kept keeps keeping keep justify just joint join im ill if idea else have hardly hard happy hand half had hacking hackednot hacked guys greedy greed great grandkids gouging having he health hosehold husband hungry huge how households household house horrible help holder history hiking hikes hike higher her elsewhere doesnt eliminating being biden biased biannually bf between better benefits benefit begin bill before becoming became barely bank back awhile away biggest billing el business cant cannot canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater agree alarming all aren apps aparently anyways anymore anticonsumer another annually and an amounts amount amercian am already allowed allow card care cared days different didnt deteriorated delivering declined decisions death deal day currency daughter date damn dad cutting cut customers customer direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double done don lesser do divorce disgusts current creep caring charging combine college climb city choose choice checking cheaper charges credit charged charge changing changes changed change cell caused combining come coming company covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared less loyal let spending stay states starting started start squeeze spouses spouse spend single span sorry soon son something someone some so stealing stepdad stop stopped taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping situation since letting rules see secure second scaling scales saving save same rule significant rotating rising rise ripped right ridiculous return retiring seems seen selection sense signaling sign sight sick shoves shouldn short she sharing share several settled set servicio services service series temporary terrible than want went well weeks waste was warrant wants wanted waiting thank wait vs virtue value vaccine ut using uses were what whats when youll you yet years yearly yall ya wouldn would work wont won with willing why who where users use us today tipped times time tightening tight throughout through this think things thing they these there their thats thanks tired told upward town upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tracking retired resume resubscribe my nice next news newest new never needed need must original multiple moving moved move more months monthly month non nonesence nonsense nothing option opportunity opening opened ontario only oneday one on ok often offset offered off of now notified money monetary moment luck lower lost losing loose looking longer lol locations location ll living live little limiting limited limit life loyalty made mom make mistake mind might merge memberships membership member medical means maybe may married market many manservices making makes options other restriction pushed rather rates rate raises raise quality putting put provider others profits profit profiles problem pricing president prefer preemptively re reactivate reality
Topic 7 | Coherence=-215538.94 | Top words= cancel to the will your for that months reality acceptance again year lack change rate each raised offset increasses sharing start us shady once there time financially is fact dont hard offer moved some subscriptions used subscription stupid weeks loose discontinue almost like sub news need disappointed several also boyfriend fix single wants provider euro great greed especially girl getting gf entertainment get even gas every give got good gotten gonna end gone enough going emails goes elsewhere go garbage gouging grandkids given email entertaining fair everything fees extortion finally extra fiance few feet feel expected fee face fault far fan family expensive financial first greedy fixed flat focused food forcing forever forth free frequent from fuel future games expenses havent guys issue joint join job jacking itself its it issues isnt hacked isn iny intolerable into interested instead inflation increments just justify keep keeping life letting let lesser less legacy left leave learning layoff later last laid kids kidding kept keeps increasing increases increased hikes higher high her help health he having eliminating have has hardly happy hand half had hacking hackednot hike hiking increase history income in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder else youre el been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden cant budget cancelling canceling can bye by but business buggin broke biggest break both blindly bit bills billings billing bill automatically aunt at addition agree againlater after afford adicional addtional addresses additional adding as added activities acct accounts account access absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am already cannot card edge damn declined decisions death deal days day daughter date dad deteriorated cutting cut customers customer currently current currency creep delivering didnt care double easily earlier duplicate due drive drastically drain down done differences don doesnt limit divorce disgusts disgusting direction different credit covid courtesy charges climbing climb city choose choice checking cheaper charging charged country charge changing changes changed cell caused caring cared college combine combining come costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming do loyal limited spending stealing stay states starting started squeeze spouses spouse spend stop span sorry soon son something someone so situation stepdad stopped limiting taking thanks thank than terrible temporary temporarily taste talk take stopping system switching support summer success subscribers subscriber stranger since significant signaling rotating scaling scales saving save same run rules rule rising sign risen rise ripped right ridiculous return retiring retired second secure see seems sight sick shoves shouldn should short she share settled set servicio services service series sense selection seen thats their these we where when whats what were went well week way value waste was warrant wanted want waiting wait vs while who why wife youll you yet years yearly yall ya wouldn would worth workable work wont won without with willing virtue vaccine they tipped tried tracking town tooo too told today tired times ut tightening tight throughout through this think things thing try trying twice two using uses users use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable resume resubscribe restriction newest nothing not nonsense nonesence non no nice next new monthly never needed my must multiple much moving move notified now of off others other original or options option opportunity opening opened ontario only oneday one on ok often offered more month out looking makes make made luck loyalty lower lost losing longer money long lol locations location ll living live little making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married our outside restrict putting re rather rates raising raises raise quickly quality put prescription pushed profits profit profiles problem pricing prices price reactivate really reason recent
Topic 8 | Coherence=-228574.96 | Top words= and to my charge you re in your for going is extra worth anyways ut college she sign uses me daughter thank no it good when bye not subscription more different live be use that on kids won another two unfair city intolerable able both addresses taste fair anymore how have allow sharing extortion loose family service im paying choice only lack now happy country opening layoff learning from frequent free forth future forever forcing leave left food focused legacy fuel inflation flat given laid gonna gone last goes go give garbage girl gf getting get later gas games fixed fix every life expensive expenses like expected everything even face euro especially entertainment entertaining enough end letting fact first less financially financial finally fiance few feet fees let feel fee fault far fan lesser got gouging gotten itself hungry huge issues its households household house isnt hosehold horrible holder history hiking hikes issue husband increments increase instead increasses increasing increases increased interested into idea income iny improvements isn ill if jacking job join kept hand half had hacking keeps hackednot hacked hike guys kidding greedy greed great grandkids keeping hard keep hardly has justify havent having he health help just her email high higher joint emails done elsewhere being biden biased biannually bf between better benefits benefit begin away before been becoming because became barely bank back biggest bill billing billings cant cannot cancelling canceling cancel can by but business buggin budget broke break boyfriend blindly bit bills awhile automatically care adding againlater again after afford adicional addtional additional addition added aunt activities acct accounts account access acceptance absurd about agree alarming all allowed at as aren are apps aparently any anticonsumer annually an amounts amount amercian am also already almost card cared else decisions discontinue disappointed direction differences didnt deteriorated delivering declined death customer deal days day date damn dad cutting cut disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont limited don doesnt customers currently caring cheaper coming come combining combine climbing climb choose checking charging current charges charged changing changes changed change cell caused company compared competitive compromised currency creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected limit youre limiting spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping retiring system thanks than terrible temporary temporarily talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid some so situation run see secure second scaling scales saving save same rules single rule rotating rising risen rise ripped right ridiculous seems seen selection sense since significant signaling sight sick shoves shouldn should short share shady several settled set servicio services series thats the their way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs where while who why youll yet years yearly year yall ya wouldn would workable work wont without with willing will wife virtue vaccine there tightening tooo too told today tired tipped times time tight using throughout through this think things thing they these town tracking tried try users used us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable twice trying return retired little next off of notified nothing nonsense nonesence non nice news offered newest new never needed need must multiple much offer offset resume or overpriced over outside out our others other original options often option opportunity opened ontario oneday one once ok moving moved move lost manservices making makes make made luck loyalty lower losing months looking longer long lol locations location ll living many market married may monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe own owner owning raises reason really reality reactivate rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits recent recently recession rectifying
Topic 9 | Coherence=-215517.21 | Top words= my subscription with already has in an are expensive kids this the made that someone bf between into he moving activities choose husband other putting or it me increase one daughter hikes same have at life everything residence who like family else keeps hacked news joint hacking country be what do seen acct hosehold changed situation much financial sub increased spouse renewing keep location having without value increments forcing for food focused flat forth fixed fix learning first financially leave forever frequent free get given give girl gf later getting layoff fiance gas garbage games future fuel from finally left goes entertainment expenses expected every even euro especially entertaining few enough limit end emails email limited letting extortion extra face let fact fair lesser fan less far fault legacy fee feel fees feet go last going horrible huge how households household house issue holder high history hiking issues its hike higher hungry isnt idea if ill im improvements isn is iny intolerable income interested instead increases increasing inflation itself jacking increasses great hackednot lack laid guys greedy greed grandkids her gouging gotten got good gonna gone kidding kept had keeping half hand happy hard hardly justify just join havent job elsewhere health help youre double eliminating being bill biggest biden biased biannually better benefits benefit begin away before been becoming because became barely bank back billing billings bills bit cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly awhile automatically care additional agree againlater again after afford adicional addtional addresses addition aunt adding added accounts account access acceptance absurd about alarming all allow allowed as aren apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also almost card cared el deal different differences didnt deteriorated delivering declined decisions death days current day date damn dad cutting cut customers customer direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down little dont done don doesnt divorce disgusts currently currency caring cheaper combining combine college climbing climb city choice checking charging creep charges charged charge changing changes change cell caused come coming company compared credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limiting loyal live started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spending spend span sorry soon son stranger subscriber these taste their thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions something some so saving sense selection seems see secure second scaling scales save single run rules rule rotating rising risen rise ripped series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set there they ridiculous waste whats were went well weeks week we way was where warrant wants wanted want waiting wait vs virtue when while thing wouldn youll you yet years yearly year yall ya would why worth workable work wont won willing will wife vaccine ut using tired tried tracking town tooo too told today to tipped uses times time tightening tight throughout through think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable right return living non off of now notified nothing not nonsense nonesence no offered nice next newest new never needed need must offer offset owner option overpriced over outside out our others original options opportunity often opening opened ontario only oneday once on ok multiple moved move lower many manservices making makes make luck loyalty your lost more losing loose looking longer long lol locations ll market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means own owning retiring raises really reality reactivate re rather rates rate raising raised recent raise quickly quality put pushed provider profits profit reason recently pagos repurposing retired
Topic 10 | Coherence=-216416.13 | Top words= to with prices have price climb more continues benefit added better services other high back no these lost will and due but expected damn moving cut rejoin don gas get once mind profiles future settled yall piracy trying family limiting access life bills currently issues later continue join medical reside gf household up think hand ontario fix goes expensive expenses getting everything every even girl give given euro go going first especially entertainment gone gonna entertaining good got gotten gouging grandkids great enough greed extortion extra face fees fixed financially flat guys financial finally focused fiance food for few feet forcing feel fact fee forever fault forth free frequent from fuel far fan fair games garbage greedy youre hacked keeping justify just joint job jacking itself its it issue isnt isn is iny intolerable into interested instead keep keeps hackednot kept limited limit like letting let lesser less legacy left leave learning layoff last laid lack kids kidding inflation increments increasses increasing hiking hikes hike higher her end health he having havent has hardly hard happy half had hacking history holder horrible ill increases increased increase income in improvements im if hosehold idea husband hungry huge how households house help drive emails been biased biannually bf between benefits being begin before becoming biggest because became be barely bank awhile away automatically biden bill care business cant cannot cancelling canceling cancel can bye by buggin billing budget broke break boyfriend both blindly bit billings aunt at as additional agree againlater again after afford adicional addtional addresses addition aren adding activities acct accounts account acceptance absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost card cared email decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date dad cutting customers discontinue disgusts caring duplicate elsewhere else eliminating el edge easily earlier each live divorce drastically drain down double dont done doesnt do customer current currency charging combine college climbing city choose choice checking cheaper charges creep charged charge changing changes changed change cell caused combining come coming company credit covid courtesy country costs cost continuous continually continously constantly constant consolidating consider connected compromised competitive compared little loyal living states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon taste thats that thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions sorry son risen second service series sense selection seen seems see secure scaling set scales saving save same run rules rule rotating servicio several something sign someone some so situation single since significant signaling sight shady sick shoves shouldn should short she sharing share the their there way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while they would youll you yet years yearly year ya wouldn worth who workable work wont won without willing wife why virtue value vaccine tipped tried tracking town tooo too told today tired times ut time tightening tight throughout through this things thing try twice two unable using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under rising rise ll nonesence offer off of now notified nothing not nonsense non offset nice next news newest new never needed need offered often must or own overpriced over outside out our others original options ok option opportunity opening opened only oneday one on my multiple ripped your many manservices making makes make made luck loyalty lower married losing loose looking longer long lol locations location market may much mom moved move months monthly month money monetary moment mistake maybe might merge memberships membership members member means me owner owning pagos rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce parent restrict right
Topic 11 | Coherence=-224328.92 | Top words= price increase the not and is of to for subscription sharing willing are with bye this out paying limited recent talk hikes agree am using support options customer service pay spending budget down from quality currently something do great happy drive pick what shouldn manservices market increases anymore competitive changes last living charge cost work at policy horrible really was reality can terrible acceptance now absurd reflect daughter moment blindly isnt justify ridiculous higher original dont offered temporary they one should keeps became since creep thank isn greedy putting loyal users broke also gouging amercian gotten amount got good gonna amounts gone going goes go given give grandkids greed gf already has hardly alarming all hard allow allowed hand half had hacking hackednot almost hacked guys girl getting family get fixed fix first financially financial anyways finally fiance few feet fees feel fee fault far flat focused food fuel gas an garbage annually games future another any frequent free anticonsumer forth forever forcing againlater have havent instead job jacking itself its it issues issue activities added adding iny addition intolerable additional into join joint just access learning layoff later about laid lack kids acct kidding kept account accounts keeping keep interested inflation having increments household house hosehold afford holder history hiking after hike again high her help health he households how huge in increasses increasing addresses increased addtional income improvements hungry im ill adicional if idea husband fan aparently buggin choose consider connected compromised better between compared company coming come bf combining combine college climbing climb consolidating constant benefits begin credit covid courtesy country before costs being constantly benefit continuous continues continue continually continously city choice currency checking bill cannot cancelling billing billings canceling bills cancel bit both boyfriend by but business break cant card care biased cheaper charging charges charged biannually changing changed cared change biden cell caused caring biggest been current fair drastically emails email as elsewhere aunt else eliminating el edge easily earlier automatically each duplicate due end enough entertaining expected fact face extra extortion expensive expenses everything entertainment apps aren every even euro especially away drain becoming awhile declined decisions death deal days day barely date damn dad cutting cut customers be because delivering deteriorated didnt divorce double back done don doesnt left disgusts differences disgusting discontinue bank disappointed direction different leave youre legacy spouses stepdad stealing stay states starting started start squeeze spouse resubscribe spend span sorry soon son someone some so stop stopped stopping stranger thats that thanks than temporarily taste taking take system switching summer success subscriptions subscribers subscriber sub stupid situation single significant secure scaling scales saving save same run rules rule rotating rising risen rise ripped right return retiring retired second see signaling seems sign sight sick shoves short she share shady several settled set servicio services series sense selection seen their there these while when whats were went well weeks week we way waste warrant wants wanted want waiting wait vs where who value why youll you yet years yearly year yall ya wouldn would worth workable wont won without will wife virtue vaccine thing trying tried tracking town tooo too told today tired tipped times time tightening tight throughout through think things try twice ut two uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable resume restriction less moving new never needed need my must multiple much moved restrict move more months monthly month money monetary mom newest news next nice opened ontario only oneday once on ok often offset offer off notified nothing nonsense nonesence non no mistake mind might lost loose looking longer long lol locations location ll live little limiting limit like life letting let lesser losing lower merge your memberships membership members member medical means me maybe may married many making makes make made luck loyalty opening opportunity option rather rate raising raises raised raise quickly put pushed provider profits profit profiles problem pricing prices president prescription rates re preemptively
Topic 12 | Coherence=-222378.70 | Top words= my and you will are me that passed away cancel in mom to want membership since business different restrict places raising constantly elsewhere live the take two account subscription youre owner she price this had putting of has owning parent paying caused person biased kidding aunt politically go when budget resume year gf another inflation under from forever gotten got legacy good gonna forth gone given free frequent girl goes future games give garbage gas less going get getting lesser forcing fuel joint for fact face extra extortion expensive expenses expected everything every life even euro especially entertainment entertaining enough end emails letting fair food family focused flat fixed first financially financial finally fiance few feet fees feel let fee fault far fan fix hacked gouging grandkids instead increments increasses increasing increases increased increase income improvements kids lack im ill if idea husband hungry kept interested into issues job jacking itself just its it justify keep keeps issue isnt isn is iny keeping intolerable huge how households half havent have hardly hard leave happy hand hacking he left hackednot join guys greedy greed great email health laid hikes household house hosehold horrible holder history hiking hike learning last higher high her later help layoff having down else begin biden biannually bf between better benefits benefit being before bill been becoming because became be barely bank back biggest billing caring by care card cant cannot cancelling canceling can bye but billings buggin broke break boyfriend both blindly bit bills awhile automatically at addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed cared cell eliminating deal direction differences didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting change drastically el edge easily earlier each duplicate due drive drain disgusts limit double dont done don doesnt do divorce customer currently current choice come combining combine college climbing climb city choose checking currency cheaper charging charges charged charge changing changes changed coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised like loyal limited squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger limiting taking thanks thank than terrible temporary temporarily taste talk system stupid switching support summer success subscriptions subscribers subscriber sub someone some so saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service services single significant signaling sign sight sick shoves shouldn should short sharing share shady several settled set servicio thats their there way whats what were went well weeks week we waste vaccine was warrant wants wanted waiting wait vs virtue where while who why youll yet years yearly yall ya wouldn would worth workable work wont won without with willing wife value ut these times tracking town tooo too told today tired tipped time using tightening tight throughout through think things thing they tried try trying twice uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable ripped right ridiculous newest not nonsense nonesence non no nice next news new more never needed need must multiple much moving moved nothing notified now off or options option opportunity opening opened ontario only oneday one once on ok often offset offered offer move months other loose make made luck loyalty your lower lost losing looking monthly longer long lol locations location ll living little makes making manservices many month money monetary moment mistake mind might merge memberships members member medical means maybe may married market original others return rate recent reason really reality reactivate re rather rates raises profiles raised raise quickly quality put pushed provider profits recently recession rectifying redo
Topic 13 | Coherence=-233564.68 | Top words= price subscription increases too many have company or has after entertaining biannually options far ill change to seems other consider much where increasing will year is different it my you are ridiculous we like use pay your upcoming fee locations anticonsumer prices anymore one need dont so stepdad an using people increments hacked hard aparently than more often fix lol loose outside spouse wants another buggin remarried financial location future garbage gas get got getting gf girl gonna gone gouging going good goes give given gotten go games youre fuel from fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment enough fault feel fees focused frequent free forth forever forcing for food flat feet fixed first great financially finally fiance few grandkids health greed issue joint join job jacking itself its issues isnt increased isn iny intolerable into interested instead inflation just justify keep keeping lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasses increase greedy havent higher high her help emails he having hardly income happy hand half had hacking hackednot guys hike hikes hiking history in improvements im if idea husband hungry huge how households household house hosehold horrible holder end double email benefit bill biggest biden biased bf between better benefits being billings begin before been becoming because became be barely billing bills back bye care card cant cannot cancelling canceling cancel can by bit but business budget broke break boyfriend both blindly bank awhile elsewhere adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all away annually automatically aunt at as aren apps anyways any and allow amounts amount amercian am also already almost allowed cared caring caused death disappointed direction differences didnt deteriorated delivering declined decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts cell due else eliminating el edge easily earlier each duplicate drive divorce drastically drain down letting done don doesnt do customers customer currently choice come combining combine college climbing climb city choose checking current cheaper charging charges charged charge changing changes changed coming compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected let loyal life start stopping stopped stop stealing stay states starting started squeeze some spouses spending spend span sorry soon son something stranger stupid sub subscriber that thanks thank terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers someone situation right saving sense selection seen see secure second scaling scales save single same run rules rule rotating rising risen rise series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thats the their waste whats what were went well weeks week way was there warrant wanted want waiting wait vs virtue value when while who why youll yet years yearly yall ya wouldn would worth workable work wont won without with willing wife vaccine ut uses tracking tooo told today tired tipped times time tightening tight throughout through this think things thing they these town tried users try used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ripped return limit nice now notified nothing not nonsense nonesence non no next move news newest new never needed must multiple moving of off offer offered overpriced over out our others original option opportunity opening opened ontario only oneday once on ok offset moved months retiring losing making makes make made luck loyalty lower lost looking monthly longer long ll living live little limiting limited manservices market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe own owner owning rate recent reason really reality reactivate re rather rates raising pagos raises raised raise quickly quality putting put pushed recently recession rectifying
Topic 14 | Coherence=-216236.31 | Top words= price the of out hikes selection in for issues hand lack other up getting go scales squeeze finally are goes direction tipped sharing future continually yet people financial try few and continue profiles cutting limiting household one im back far only having just even more unemployed got spending use tired unnecessary some expenses on single every change everything fee less gone gouging gotten good fuel gonna get going games given give girl garbage gas gf youre flat from especially fact face extra extortion expensive expected euro entertainment frequent entertaining enough end emails email elsewhere else fair family fan fault free forth forever forcing food focused great fixed fix first financially fiance feet fees feel grandkids has greed keeping justify joint join job jacking itself its it issue isnt isn is iny intolerable into interested instead keep keeps increments kept limited limit like life letting let lesser legacy left leave learning layoff later last laid kids kidding inflation increasses greedy hike high her help health he havent have el hardly hard happy half had hacking hackednot hacked guys higher hiking increasing history increases increased increase income improvements ill if idea husband hungry huge how households house hosehold horrible holder eliminating done edge been bf between better benefits benefit being begin before becoming biased because became be barely bank awhile away automatically biannually biden at broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as cancelling adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow canceling cannot easily daughter deteriorated delivering declined decisions death deal days day date differences damn dad cut customers customer currently current currency didnt different credit double earlier each duplicate due drive drastically drain down dont disappointed live don doesnt do divorce disgusts disgusting discontinue creep covid cant charge city choose choice checking cheaper charging charges charged changing climbing changes changed cell caused caring cared care card climb college courtesy consolidating country costs cost continuous continues continously constantly constant consider combine connected compromised competitive compared company coming come combining little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start spouses spouse spend span sorry soon son stupid subscriber someone talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription something so ll run seems see secure second scaling saving save same rules sense rule rotating rising risen rise ripped right ridiculous seen series situation should since significant signaling sign sight sick shoves shouldn short service she share shady several settled set servicio services thats their there week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why these would youll you years yearly year yall ya wouldn worth wife workable work wont won without with willing will wait vs virtue time tracking town tooo too told today to times tightening value tight throughout through this think things thing they tried trying twice two vaccine ut using uses users used us upward upping upcoming until unneeded unfortunately unfair understand under unable return retiring retired newest not nonsense nonesence non no nice next news new notified never needed need my must multiple much moving nothing now overpriced opening outside our others original or options option opportunity opened off ontario oneday once ok often offset offered offer moved move months lower manservices making makes make made luck loyalty your lost monthly losing loose looking longer long lol locations location many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe over own resume raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently owner replace resubscribe
Topic 15 | Coherence=-223434.16 | Top words= you and subscription extra don my share increase with about family like states of want the limit news bill power idea paying that outside charge sharing no will if im support an service parents am provider longer through getting unable connected one youre enough cell when especially reflect give goes go given entertainment feet gone euro girl gf even get gas going entertaining gonna every good got gotten end gouging grandkids great emails greed email greedy elsewhere guys garbage games fees fix food far flat fixed fault fee first everything financially financial finally fiance feel few fan fair fact for forcing forever face extortion forth expensive expenses expected free frequent from fuel future focused havent hacked it justify just joint join job jacking itself its issues hackednot issue isnt isn is iny intolerable into interested keep keeping keeps kept limited life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding instead inflation increments hikes higher high her help health he having eliminating have has hardly hard happy hand half had hacking hike hiking increasses history increasing increases increased income in improvements ill husband hungry huge how households household house hosehold horrible holder else dont el before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings away aunt cant addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all at anticonsumer as aren are apps aparently anyways anymore any another allow annually amounts amount amercian also already almost allowed cannot card edge day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency down easily earlier each duplicate due drive drastically drain double disappointed little done doesnt do divorce disgusts disgusting discontinue current creep care charging college climbing climb city choose choice checking cheaper charges combining charged changing changes changed change caused caring cared combine come credit continually covid courtesy country costs cost continuous continues continue continously coming constantly constant consolidating consider compromised competitive compared company limiting loyal live squeeze stopped stop stepdad stealing stay starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some talk thats thanks thank than terrible temporary temporarily taste taking sub take system switching summer success subscriptions subscribers subscriber someone so living same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense situation shouldn single since significant signaling sign sight sick shoves should series short she shady several settled set servicio services their there these waste what were went well weeks week we way was where warrant wants wanted waiting wait vs virtue value whats while they would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing wife why vaccine ut using tipped tracking town tooo too told today to tired times uses time tightening tight throughout this think things thing tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two ridiculous return retiring newest notified nothing not nonsense nonesence non nice next new off never needed need must multiple much moving moved now offer over opening our others other original or options option opportunity opened offered ontario only oneday once on ok often offset move more months lower manservices making makes make made luck loyalty your lost monthly losing loose looking long lol locations location ll many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe out overpriced retired raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed profits profit reason recently own repurposing resume
Topic 16 | Coherence=-223585.04 | Top words= to the change of and my different country service need billing want currency be date pay customer in location moved with current changed subscriptions unable all help cheaper at payment new where phone no free euro emails double due same replace will it get ontario waiting switching until go day currently out disgusting prefer not food up limiting weeks provider expenses girl give given fact face goes extra extortion expensive going gone gonna good focused getting got gotten expected gouging everything every even especially entertainment grandkids great greed greedy gf fair flat feet fixed for fix forcing forever first financially financial finally forth fiance few fees gas feel frequent from fee fuel fault far fan future games family garbage guys havent hacked issues justify just joint join job jacking itself its issue keeping isnt isn is iny intolerable into interested instead keep keeps hackednot left limit like life letting let lesser less legacy leave kept learning layoff later last laid lack kids kidding inflation increments increasses enough hikes hike higher high her health he having have increasing has hardly hard happy hand half had hacking hiking history holder horrible increases increased increase income improvements im ill if idea husband hungry huge how households household house hosehold entertaining youre end been bf between better benefits benefit being begin before becoming as because became barely bank back awhile away automatically biannually biased biden biggest cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills billings bill aunt aren email adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed canceling cancelling cannot death disappointed direction differences didnt deteriorated delivering declined decisions deal cant days daughter damn dad cutting cut customers creep discontinue disgusts divorce do elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain limited dont done don doesnt credit covid courtesy college climb city choose choice checking charging charges charged charge changing changes cell caused caring cared care card climbing combine costs combining cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come down loyal little squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger right taking thanks thank than terrible temporary temporarily taste talk take stupid system support summer success subscription subscribers subscriber sub someone some so scales sense selection seen seems see secure second scaling saving situation save run rules rule rotating rising risen rise series services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled that thats their way when whats what were went well week we waste ut was warrant wants wanted wait vs virtue value while who why wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vaccine using there tightening tooo too told today tired tipped times time tight uses throughout through this think things thing they these town tracking tried try users used use us upward upping upcoming unneeded unnecessary unfortunately unfair unemployed understand under two twice trying ripped ridiculous live next off now notified nothing nonsense nonesence non nice news offered newest never needed must multiple much moving move offer offset return option over outside our others other original or options opportunity often opening opened only oneday one once on ok more months monthly lost making makes make made luck loyalty your lower losing month loose looking longer long lol locations ll living manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may overpriced own owner rates recently recent reason really reality reactivate re rather rate profits raising raises raised raise quickly quality putting put recession rectifying redo reduce
Topic 17 | Coherence=-211848.85 | Top words= have keeps benefits nonsense changing don this long with been too subscriptions you price hikes but in for live your poland enough amercian subscription two servicio way por el pagos adicional households choose merge get lol different month opening before agree divorce climbing gf gas getting games give garbage girl hacking given gouging hacked guys greedy greed great grandkids gotten go got good hackednot gone going goes gonna youre future expensive far fan family fair fact face extra extortion expenses fee expected everything every even euro especially entertainment entertaining fault feel fuel flat from frequent free forth forever had food focused fixed fees fix first financially financial finally fiance few feet forcing her half job kidding kept keeping keep justify just joint join jacking hand itself its it issues issue isnt isn is kids lack laid last living little limiting limited limit like life letting let lesser less legacy left leave learning layoff later iny intolerable into house horrible holder history hiking hike higher high emails help health he having havent has hardly hard happy hosehold household interested how instead inflation increments increasses increasing increases increased increase income improvements im ill if idea husband hungry huge end drive email begin biden biased biannually bf between better benefit being becoming bill because became be barely bank back awhile away biggest billing aunt business cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills automatically at elsewhere adding againlater again after afford addtional addresses additional addition added all activities acct accounts account access acceptance absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed and an amounts amount am also already almost card care cared days differences didnt deteriorated delivering declined decisions death deal day disappointed daughter date damn dad cutting cut customers customer direction discontinue caring location else eliminating edge easily earlier each duplicate due drastically disgusting drain down double dont done doesnt do disgusts currently current currency cheaper come combining combine college climb city choice checking charging creep charges charged charge changes changed change cell caused coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised ll loyal locations starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son temporarily the thats that thanks thank than terrible temporary taste subscribers talk taking take system switching support summer success soon something there second service series sense selection seen seems see secure scaling set scales saving save same run rules rule rotating services settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady their these risen we when whats what were went well weeks week waste while was warrant wants wanted want waiting wait vs where who value would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife virtue vaccine they tipped tried tracking town tooo told today to tired times trying time tightening tight throughout through think things thing try twice ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rising rise longer nothing often offset offered offer off of now notified not on nonesence non no nice next news newest new ok once needed other owner own overpriced over outside out our others original one or options option opportunity opened ontario only oneday never need parent makes me maybe may married market many manservices making make medical made luck loyalty lower lost losing loose looking means member my monthly must multiple much moving moved move more months money members monetary moment mom mistake mind might memberships membership owning parents ripped reactivate redo rectifying recession recently recent reason really reality re reducing rather rates rate raising raises raised raise quickly reduce reflect putting restrict right ridiculous
Topic 18 | Coherence=-224850.35 | Top words= you for the to price sharing pay no that want more new from longer good people value fee increases guys stop because just with greed they money something charge enough what dont cost got cant adding justify frequent really even fees hikes expected family long newest almost kids less between yearly this opened nothing high while girl garbage greedy gone gonna future great games goes go give gas grandkids get gouging given getting gotten gf going youre fuel every fact face extra extortion expensive expenses everything euro fan especially entertainment entertaining end emails email elsewhere fair far free fix forth forever forcing food focused hacked fixed first fault financially financial finally fiance few feet feel flat her hackednot keeping joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead keep keeps hacking kept limited limit like life letting let lesser legacy left leave learning layoff later last laid lack kidding inflation increments increasses increasing hiking hike higher eliminating help health he having havent have has hardly hard happy hand half had history holder horrible if increased increase income in improvements im ill idea hosehold husband hungry huge how households household house else double el edge biased biannually bf better benefits benefit being begin before been becoming became be barely bank back awhile away automatically biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt at as addition againlater again after afford adicional addtional addresses additional added alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow an amounts amount amercian am also already allowed cannot card care day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency down easily earlier each duplicate due drive drastically drain little disappointed done don doesnt do divorce disgusts disgusting discontinue current creep cared charging college climbing climb city choose choice checking cheaper charges combining charged changing changes changed change cell caused caring combine come credit continously covid courtesy country costs continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company limiting loyal live spouses stepdad stealing stay states starting started start squeeze spouse stopping spending spend span sorry soon son someone some stopped stranger thanks system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub so situation single save seen seems see secure second scaling scales saving same since run rules rule rotating rising risen rise ripped selection sense series service significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services thank thats ridiculous was were went well weeks week we way waste warrant when wants wanted waiting wait vs virtue vaccine ut whats where their worth youll yet years year yall ya wouldn would workable who work wont won without willing will wife why using uses users time town tooo too told today tired tipped times tightening used tight throughout through think things thing these there tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right return living non offer off of now notified not nonsense nonesence nice offset next news never needed need my must multiple offered often own options over outside out our others other original or option ok opportunity opening ontario only oneday one once on much moving moved your many manservices making makes make made luck loyalty lower move lost losing loose looking lol locations location ll market married may maybe months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me overpriced owner retiring raising recent reason reality reactivate re rather rates rate raises recession raised raise quickly quality putting put pushed provider recently rectifying owning reside retired
Topic 19 | Coherence=-230114.11 | Top words= price hikes many too and charging to extra money share new newest the years hike expensive subscriptions an because subscription me on it keep from fan charges greedy added in been only past will over yall havent stealing stupid sharing also loose rule one greed gotten you need never combine households longer system cheaper waste married husband games got garbage gas future gonna get gone gf girl give given go great grandkids gouging good goes going getting youre fuel frequent far family fair fact face extortion expenses expected everything every even euro especially entertainment entertaining enough end emails email fault fee feel flat free forth forever hacked forcing for food focused fixed fees fix first financially financial finally fiance few feet guys health hackednot its justify just joint join job jacking itself issues keeps issue isnt isn is iny intolerable into keeping kept instead left like life letting let lesser less legacy leave kidding learning layoff later last laid lack kids interested inflation hacking having hiking higher high her help else he have holder has hardly hard happy hand half had history horrible increments im increasses increasing increases increased increase income improvements ill hosehold if idea hungry huge how household house elsewhere double eliminating being biden biased biannually bf between better benefits benefit begin bill before becoming became be barely bank back awhile biggest billing automatically business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away aunt card addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all at anticonsumer as aren are apps aparently anyways anymore any another allow annually amounts amount amercian am already almost allowed cant care el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drain edge easily earlier each duplicate due drive drastically down disgusting limited dont done don doesnt do divorce disgusts customer current cared checking come combining college climbing climb city choose choice charged company charge changing changes changed change cell caused caring coming compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised limit loyal limiting squeeze stopped stop stepdad stay states starting started start spouses stranger spouse spending spend span sorry soon son something stopping sub ridiculous temporarily their thats that thanks thank than terrible temporary taste subscriber talk taking take switching support summer success subscribers someone some so saving selection seen seems see secure second scaling scales save situation same run rules rotating rising risen rise ripped sense series service services single since significant signaling sign sight sick shoves shouldn should short she shady several settled set servicio there these they way whats what were went well weeks week we was vaccine warrant wants wanted want waiting wait vs virtue when where while who youll yet yearly year ya wouldn would worth workable work wont won without with willing wife why value ut thing tipped try tried tracking town tooo told today tired times using time tightening tight throughout through this think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under right return little nonesence offer off of now notified nothing not nonsense non offset no nice next news needed my must multiple offered often retiring original owner own overpriced outside out our others other or ok options option opportunity opening opened ontario oneday once much moving moved lost making makes make made luck loyalty your lower losing move looking long lol locations location ll living live manservices market may maybe more months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means owning pagos parent rates recently recent reason really reality reactivate re rather rate provider raising raises raised raise quickly quality putting put recession rectifying redo reduce
Topic 20 | Coherence=-221170.23 | Top words= year greedy increase is charge raising starting profiles additional profit after prices last just to and for it every when price nothing will seems not really ok added but the good being opportunity you resume caused pay biden done cant president bank thats thanks support changing inflation at anymore later won keep raise tired since loyal member re customer increments focused forth forever forcing laid food flat frequent fixed fix first financially financial finally free from layoff gf going goes go given give girl getting fuel get gas garbage games future lack fiance learning kids leave extra extortion expensive expenses life like expected everything limit even euro especially entertainment entertaining enough face letting let feel few left feet legacy less fees fee fact fault far fan family lesser fair gone gonna instead high households household house iny isn hosehold isnt issue horrible holder history hiking hikes hike higher how intolerable huge in increasses increasing increases increased interested income improvements hungry into im ill if idea husband issues its kidding her keeping half had hacking hackednot hacked guys keeps greed great grandkids gouging gotten got kept justify hand joint emails help itself health jacking he having havent happy have has job join hardly hard end down email benefit bill biggest biased biannually bf between better benefits begin billings before been becoming because became be barely back billing bills elsewhere bye cared care card cannot cancelling canceling cancel can by bit business buggin budget broke break boyfriend both blindly awhile away automatically addition alarming agree againlater again afford adicional addtional addresses adding aunt activities acct accounts account access acceptance absurd about all allow allowed almost as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already caring cell change declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain limiting double dont don doesnt cutting customers changed climb compared company coming come combining combine college climbing city currently choose choice checking cheaper charging charges charged changes competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating limited youre little squeeze stopped stop stepdad stealing stay states started start spouses stranger spouse spending spend span sorry soon son something stopping stupid there taking that thank than terrible temporary temporarily taste talk take sub system switching summer success subscriptions subscription subscribers subscriber someone some so saving sense selection seen see secure second scaling scales save situation same run rules rule rotating rising risen rise series service services servicio single significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set their these live was were went well weeks week we way waste warrant whats wants wanted want waiting wait vs virtue value what where they worth youll yet years yearly yall ya wouldn would workable while work wont without with willing wife why who vaccine ut using times tried tracking town tooo too told today tipped time uses tightening tight throughout through this think things thing try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right ridiculous never nonesence non no nice next news newest new needed notified need my must multiple much moving moved move nonsense now return only other original or options option opening opened ontario oneday of one once on often offset offered offer off more months monthly losing makes make made luck loyalty your lower lost loose month looking longer long lol locations location ll living making manservices many market money monetary moment mom mistake mind might merge memberships membership members medical means me maybe may married others our out raises recently recent reason reality reactivate rather rates rate raised prescription quickly quality putting put pushed provider profits problem recession rectifying redo reduce
Topic 21 | Coherence=-219008.46 | Top words= you keep prices raising price subscription the that up was enough my if your being this are re cheaper hacked by only used good upping other means really profits understand canceling kidding hiking every ll wouldn days jacking begin were fault worth stranger constantly notified series leave popular amounts today huge cared to us high fees elsewhere make monthly rising lower getting pls as activities going buggin support ridiculous am fuel from future give games garbage gas get gf girl given go goes gone gonna got gotten frequent financial free expected fair fact face extra extortion expensive expenses everything fan even euro especially entertainment entertaining end emails family far forth fix forever forcing for food focused flat fixed first fee financially grandkids finally fiance few feet feel gouging youre great iny its it issues issue isnt isn is intolerable job into interested instead inflation increments increasses increasing itself join increased last lesser less legacy left learning layoff later laid joint lack kids kept keeps keeping justify just increases increase greed hard health he having havent have has hardly happy her hand half had hacking hackednot guys greedy help higher income how in improvements im ill idea husband hungry households hike household house hosehold horrible holder history hikes email doesnt else before biden biased biannually bf between better benefits benefit been bill becoming because became be barely bank back awhile biggest billing eliminating but care card cant cannot cancelling cancel can bye business billings budget broke break boyfriend both blindly bit bills away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually and an amount amercian also already almost allowed caring caused cell decisions disappointed direction different differences didnt deteriorated delivering declined death customer deal day daughter date damn dad cutting cut discontinue disgusting disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont done don letting do customers currently change choose coming come combining combine college climbing climb city choice current checking charging charges charged charge changing changes changed company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected let loyal life spend states starting started start squeeze spouses spouse spending span since sorry soon son something someone some so situation stay stealing stepdad stop temporary temporarily taste talk taking take system switching summer success subscriptions subscribers subscriber sub stupid stopping stopped single significant than run see secure second scaling scales saving save same rules signaling rule rotating risen rise ripped right return retiring seems seen selection sense sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service terrible thank like way when whats what went well weeks week we waste vaccine warrant wants wanted want waiting wait vs virtue where while who why youll yet years yearly year yall ya would workable work wont won without with willing will wife value ut thanks throughout too told tired tipped times time tightening tight through using think things thing they these there their thats tooo town tracking tried uses users use upward upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try retired resume resubscribe new nonsense nonesence non no nice next news newest never months needed need must multiple much moving moved move not nothing now of or options option opportunity opening opened ontario oneday one once on ok often offset offered offer off more month restriction long made luck loyalty lost losing loose looking longer lol money locations location living live little limiting limited limit makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical me maybe may married market original others our quality reactivate rather rates rate raises raised raise quickly putting out put pushed provider profit profiles problem pricing president reality reason recent
Topic 22 | Coherence=-215326.17 | Top words= and price don married their tracking they how need two people increase memberships access increasing of waste husband time continually while got point your value would new delivering little learning spend rather recently money rising inflation short costs my amount gas change recession food raising now quality spouses increases workable gone getting gonna forth gotten forever gouging good frequent going free from goes go fuel future given games garbage give girl gf forcing get youre financially for even extra extortion expensive expenses expected everything every euro fact especially entertainment entertaining enough end emails email face fair focused fiance flat fixed fix first great financial finally few family feet fees feel fee fault far fan grandkids havent greed issues just joint join job jacking itself its it issue greedy isnt isn is iny intolerable into interested instead justify keep keeping keeps like life letting let lesser less legacy left leave layoff later last laid lack kids kidding kept increments increasses increased high help health he having else have has hardly hard happy hand half had hacking hackednot hacked guys her higher income hike in improvements im ill if idea hungry huge households household house hosehold horrible holder history hiking hikes elsewhere drain eliminating cannot biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away biased biden biggest budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically aunt at addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amercian am also already almost allowed cancelling cant el card differences didnt deteriorated declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current different direction disappointed limited edge easily earlier each duplicate due drive drastically down discontinue double dont done doesnt do divorce disgusts disgusting currency creep credit charged climb city choose choice checking cheaper charging charges charge college changing changes changed cell caused caring cared care climbing combine covid constant courtesy country cost continuous continues continue continously constantly consolidating combining consider connected compromised competitive compared company coming come limit loyal limiting starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouse spending span sorry soon son stupid subscriber ripped talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription something someone some scaling series sense selection seen seems see secure second scales so saving save same run rules rule rotating risen service services servicio set situation single since significant signaling sign sight sick shoves shouldn should she sharing share shady several settled thats the there we when whats what were went well weeks week way vaccine was warrant wants wanted want waiting wait vs where who why wife youll you yet years yearly year yall ya wouldn worth work wont won without with willing will virtue ut these tipped tried town tooo too told today to tired times using tightening tight throughout through this think things thing try trying twice unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right live no offer off notified nothing not nonsense nonesence non nice offset next news newest never needed must multiple much offered often ridiculous option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on moving moved move losing making makes make made luck loyalty lower lost loose more looking longer long lol locations location ll living manservices many market may months monthly month monetary moment mom mistake mind might merge membership members member medical means me maybe over overpriced own rate rectifying recent reason really reality reactivate re rates raises profiles raised raise quickly putting put pushed provider profits redo reduce reducing reflect
Topic 23 | Coherence=-227709.63 | Top words= only other prices so are people cheaper charging charge youre kept reason services gonna if better out im was your using extra and that now for it keep subscriptions with need in dont one moved two house sharing significant have we needed of not household boyfriend like policies virtue pleased our political signaling multiple remarried death already account holder wife caring absurd you new someone agree good goes go given give going gone againlater aparently great got hacking hardly hard happy hand half had again hackednot gotten hacked guys greedy greed gf grandkids gouging girl garbage getting get financial finally fiance few feet fees feel fee fault far fan family fair fact face allow extortion all financially first free gas after games future fuel from frequent forth fix forever forcing alarming food focused flat fixed has adicional havent afford joint join job jacking itself its acceptance issues issue isnt isn is iny intolerable into interested instead just justify keeping learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding about inflation increments increasses hike horrible additional history hiking addresses addtional hikes higher addition high her help health he expenses having hosehold adding increasing ill increases increased increase income access improvements accounts acct households idea husband activities added hungry huge how expensive allowed expected budget change cell caused cared care card cant cannot cancelling another canceling cancel can bye by but business changed changes changing city coming come combining combine college climbing climb choose annually choice checking amount amounts charges an charged buggin broke compared break before been becoming because became be barely bank back awhile away automatically aunt at as aren anyways begin anymore being bill anticonsumer both blindly bit bills billings billing biggest benefit biden biased biannually bf between any benefits company competitive everything differences due drive drastically drain life double almost done don doesnt do divorce disgusts disgusting discontinue disappointed direction duplicate each earlier enough every apps even euro especially entertainment entertaining end easily emails email elsewhere else eliminating el edge different didnt compromised deteriorated covid courtesy country am costs cost continuous amercian continues continue continually continously constantly constant consolidating consider connected credit creep currency date delivering declined decisions deal days day daughter damn current dad cutting cut customers customer also currently down loyal limit states stupid stranger stopping stopped stop stepdad stealing stay starting soon started start squeeze spouses spouse spending spend span sub subscriber subscribers subscription the thats thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success sorry son there saving selection seen seems see secure second scaling scales save something same run rules rule rotating rising risen rise sense series service servicio some situation single since sign sight sick shoves shouldn should short she share shady several settled set their these limited way when whats what were went well weeks week waste ut warrant wants wanted want waiting wait vs value where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will vaccine uses they times town tooo too told today to tired tipped time users tightening tight throughout through this think things thing tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice ripped right ridiculous newest nothing nonsense nonesence non no nice next news never money my must much moving move more months monthly notified off offer offered over outside others original or options option opportunity opening opened ontario oneday once on ok often offset month monetary return longer made luck loyalty lower lost losing loose looking long moment lol locations location ll living live little limiting make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many overpriced own owner rate recently recent really reality reactivate re rather rates raising owning raises raised raise quickly quality putting put pushed recession rectifying redo
Topic 24 | Coherence=-225417.94 | Top words= to not money and you it use need do dont save services as enough go good much other trying want just anymore why continues put up guys needed forth some so the no never down rising warrant prices barely yet right drain keeps get scaling often cost customers temporarily has several damn made cheaper choose by now currently into disgusting discontinue gotten frequent from free gouging fuel gf got gonna gone going girl goes given future games give garbage gas getting youre forever expenses family fair fact face extra extortion expensive expected forcing everything every even euro especially entertainment entertaining fan far fault fee for food focused flat fixed fix first financially financial finally fiance few feet fees feel grandkids have great isn join job jacking itself its issues issue isnt is justify iny intolerable interested instead inflation increments increasses increasing joint keep greed leave like life letting let lesser less legacy left learning keeping layoff later last laid lack kids kidding kept increases increased increase hardly high her help health he having havent emails hard income happy hand half had hacking hackednot hacked greedy higher hike hikes hiking in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history end don email been bf between better benefits benefit being begin before becoming at because became be bank back awhile away automatically biannually biased biden biggest cancel can bye but business buggin budget broke break boyfriend both blindly bit bills billings billing bill aunt aren elsewhere adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already almost allowed allow canceling cancelling cannot day didnt deteriorated delivering declined decisions death deal days daughter cant date dad cutting cut customer current currency creep differences different direction disappointed else eliminating el edge easily earlier each duplicate due drive drastically double done limited doesnt divorce disgusts credit covid courtesy climbing city choice checking charging charges charged charge changing changes changed change cell caused caring cared care card climb college country combine costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come combining limit loyal limiting started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub retired taking that thanks thank than terrible temporary taste talk take subscriber system switching support summer success subscriptions subscription subscribers son something someone same selection seen seems see secure second scales saving run situation rules rule rotating risen rise ripped ridiculous return sense series service servicio single since significant signaling sign sight sick shoves shouldn should short she sharing share shady settled set thats their there we when whats what were went well weeks week way vaccine waste was wants wanted waiting wait vs virtue where while who wife youll years yearly year yall ya wouldn would worth workable work wont won without with willing will value ut these time town tooo too told today tired tipped times tightening using tight throughout through this think things thing they tracking tried try twice uses users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring resume little next off of notified nothing nonsense nonesence non nice news offered newest new my must multiple moving moved move offer offset resubscribe option over outside out our others original or options opportunity ok opening opened ontario only oneday one once on more months monthly loose makes make luck loyalty your lower lost losing looking month longer long lol locations location ll living live making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married overpriced own owner raises really reality reactivate re rather rates rate raising raised problem raise quickly quality putting pushed provider profits profit reason recent recently recession
Topic 25 | Coherence=-218713.97 | Top words= is the it for in this to and about months money few service have try come once ill budget when was amount tight going back even do prices started times expensive you raising customers garbage rate care be wait upward return stop way keeps coming high drain twice greed may cared gas get games future fuel youre getting gf greedy great grandkids gouging gotten got good gonna gone goes frequent go given give girl from first free family fact face extra extortion expenses expected everything every euro especially entertainment entertaining enough end emails email elsewhere fair fan forth far forever forcing food focused flat fixed fix hacked financially financial finally fiance feet fees feel fee fault guys health hackednot jacking kept keeping keep justify just joint join job itself hacking its issues issue isnt isn iny intolerable into kidding kids lack laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last interested instead inflation holder hiking hikes hike higher her help eliminating he having havent has hardly hard happy hand half had history horrible increments hosehold increasses increasing increases increased increase income improvements im if idea husband hungry huge how households household house else done el before biannually bf between better benefits benefit being begin been at becoming because became barely bank awhile away automatically biased biden biggest bill canceling cancel can bye by but business buggin broke break boyfriend both blindly bit bills billings billing aunt as cannot addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account access acceptance absurd agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually an amounts amercian am also already almost allowed cancelling cant edge day didnt deteriorated delivering declined decisions death deal days daughter creep date damn dad cutting cut customer currently current differences different direction disappointed easily earlier each duplicate due drive drastically down double dont living don doesnt divorce disgusts disgusting discontinue currency credit card charges climbing climb city choose choice checking cheaper charging charged covid charge changing changes changed change cell caused caring college combine combining company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared live loyal ll spending stealing stay states starting start squeeze spouses spouse spend stopped span sorry soon son something someone some so stepdad stopping single switching terrible temporary temporarily taste talk taking take system support stranger summer success subscriptions subscription subscribers subscriber sub stupid situation since retired run see secure second scaling scales saving save same rules seen rule rotating rising risen rise ripped right ridiculous seems selection significant she signaling sign sight sick shoves shouldn should short sharing sense share shady several settled set servicio services series than thank thanks we where whats what were went well weeks week waste who warrant wants wanted want waiting vs virtue value while why that would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vaccine ut using throughout tooo too told today tired tipped time tightening through uses think things thing they these there their thats town tracking tried trying users used use us upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring resume location no of now notified nothing not nonsense nonesence non nice offer next news newest new never needed need my off offered multiple opportunity out our others other original or options option opening offset opened ontario only oneday one on ok often must much resubscribe your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market maybe moving mistake moved move more monthly month monetary moment mom mind me might merge memberships membership members member medical means outside over overpriced quickly reality reactivate re rather rates raises raised raise quality reason putting put pushed provider profits profit profiles problem really recent own rent restriction
Topic 26 | Coherence=-220136.69 | Top words= is your and you increments keep be increasing why terrible addition now charges pricing sharing will greedy the subscription good checking we luck where getting canceling subscriptions married paying done garbage constant creep less after too opened more mistake combining this got consolidating accounts should quality duplicate increase by as blindly afford nonesence support wont caring other pls buggin isn get great grandkids gas hacked gouging goes gotten gf girl gonna gone give greed given go going guys for games future fee fault far fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment feel fees feet food fuel from frequent free forth forever forcing hacking focused few flat fixed fix first financially financial finally fiance hackednot youre had inflation keeping justify just joint join job jacking itself its it issues issue isnt iny intolerable into interested keeps kept kidding legacy limited limit like life letting let lesser left kids leave learning layoff later last laid lack instead increasses half increases hikes hike higher high her enough help health he having havent have has hardly hard happy hand hiking history holder idea increased income in improvements im ill if husband horrible hungry huge how households household house hosehold entertaining double end being biden biased biannually bf between better benefits benefit begin away before been becoming because became barely bank back biggest bill billing billings care card cant cannot cancelling cancel can bye but business budget broke break boyfriend both bit bills awhile automatically emails additional all alarming agree againlater again adicional addtional addresses adding aunt added activities acct account access acceptance absurd about allow allowed almost already at aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also cared caused cell delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined change decisions death deal days day daughter date damn disgusts divorce do doesnt email elsewhere else eliminating el edge easily earlier each due drive drastically drain down little dont don dad cutting cut competitive company coming come combine college climbing climb city choose choice cheaper charging charged charge changing changes changed compared compromised customers connected customer currently current currency credit covid courtesy country costs cost continuous continues continue continually continously constantly consider limiting loyal live spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping their taking that thanks thank than temporary temporarily taste talk take stranger system switching summer success subscribers subscriber sub stupid some so situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series service since significant signaling sign sight sick shoves shouldn short she share shady several settled set servicio services thats there ridiculous warrant were went well weeks week way waste was wants whats wanted want waiting wait vs virtue value vaccine what when these would youll yet years yearly year yall ya wouldn worth while workable work won without with willing wife who ut using uses times tracking town tooo told today to tired tipped time users tightening tight throughout through think things thing they tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right return living nice off of notified nothing not nonsense non no next offered news newest new never needed need my must offer offset own option over outside out our others original or options opportunity often opening ontario only oneday one once on ok multiple much moving lost many manservices making makes make made loyalty lower losing moved loose looking longer long lol locations location ll market may maybe me move months monthly month money monetary moment mom mind might merge memberships membership members member medical means overpriced owner retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly putting put pushed provider recently rectifying owning reside retired
Topic 27 | Coherence=-215619.11 | Top words= up the with what greedy leave high cared begin were re understand us wouldn hiking cost means only ll when about and of being if going worth to subscription is quality issues service isnt between users went down keeps personal biggest increasing had subscriptions membership set fee deal much entertainment becoming disappointed waste rather horrible fiance no bye games fuel from future frequent garbage youre gas get great grandkids gouging gotten got good gonna gone goes go given give girl gf getting free financially forth every face extra extortion expensive expenses expected everything even fair euro especially entertaining enough end emails email fact family forever first forcing for food focused flat fixed fix financial fan finally few feet fees feel fault far greed her guys its justify just joint join job jacking itself it keeping issue isn iny intolerable into interested instead keep kept increments legacy limit like life letting let lesser less left kidding learning layoff later last laid lack kids inflation increasses hacked have higher else help health he having havent has hikes hardly hard happy hand half hacking hackednot hike history increases idea increased increase income in improvements im ill husband holder hungry huge how households household house hosehold elsewhere don eliminating because biased biannually bf better benefits benefit before been became bill be barely bank back awhile away automatically aunt biden billing el business cant cannot cancelling canceling cancel can by but buggin billings budget broke break boyfriend both blindly bit bills at as aren addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts account access acceptance absurd agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed card care caring day differences didnt deteriorated delivering declined decisions death days daughter currency date damn dad cutting cut customers customer currently different direction discontinue disgusting edge easily earlier each duplicate due drive drastically drain double dont done limiting doesnt do divorce disgusts current creep caused cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changing changes changed change cell combining come coming company covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limited loyal little spend states starting started start squeeze spouses spouse spending span stealing sorry soon son something someone some so situation stay stepdad than support temporary temporarily taste talk taking take system switching summer stop success subscribers subscriber sub stupid stranger stopping stopped single since significant rules secure second scaling scales saving save same run rule signaling rotating rising risen rise ripped right ridiculous return see seems seen selection sign sight sick shoves shouldn should short she sharing share shady several settled servicio services series sense terrible thank retired wanted well weeks week we way was warrant wants want where waiting wait vs virtue value vaccine ut using whats while thanks would youll you yet years yearly year yall ya workable who work wont won without willing will wife why uses used use this tired tipped times time tightening tight throughout through think upward things thing they these there their thats that today told too tooo upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking town retiring resume live news notified nothing not nonsense nonesence non nice next newest off new never needed need my must multiple moving now offer outside opening our others other original or options option opportunity opened offered ontario oneday one once on ok often offset moved move more lost making makes make made luck loyalty your lower losing months loose looking longer long lol locations location living manservices many market married monthly month money monetary moment mom mistake mind might merge memberships members member medical me maybe may out over resubscribe quickly reality reactivate rates rate raising raises raised raise putting reason put pushed provider profits profit profiles problem pricing really recent overpriced rent restriction
Topic 28 | Coherence=-223366.61 | Top words= too is for expensive now prices much price me the service keep going worth not many no getting unfortunately are upward increases it vs way your have system given rising everything else longer workable but use maybe terrible right raised offered amount later already second rules what life rates itself fees becoming greedy ya girl its whats tight new thanks options secure easily times before so overpriced became phone hackednot charge kids back barely give food financially first fix fixed go get gf flat focused games last from gas garbage future fuel lack forever forth free frequent laid forcing isnt financial especially expenses expected legacy every even euro entertainment extortion entertaining enough end emails email elsewhere left extra finally fault fiance few feet feel fee layoff far leave fan family learning fair fact face goes greed gone hiking im ill if idea husband hungry huge how households household house hosehold horrible holder join improvements in income instead isn issues iny intolerable into interested inflation job increments increasses increasing jacking increased increase history hikes gonna joint hard happy hand half had hacking hacked guys issue great grandkids gouging gotten got good hardly has kidding her hike higher just justify keeping high keeps kept help eliminating health he having havent youre divorce el benefit biggest biden biased biannually bf between better benefits being billing begin been because be bank awhile away automatically bill billings cared by card cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit aunt at as adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways anymore any anticonsumer another annually and an amounts amercian am also almost allowed allow care caring edge day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction caused double earlier each duplicate due drive drastically drain down dont disappointed done don doesnt do lesser disgusts disgusting discontinue current currency creep checking combining combine college climbing climb city choose choice cheaper credit charging charges charged changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive less loyal let spouse stealing stay states starting started start squeeze spouses spending single spend span sorry soon son something someone some stepdad stop stopped stopping temporary temporarily taste talk taking take switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger situation since letting rule seems see scaling scales saving save same run rotating significant risen rise ripped ridiculous return retiring retired resume seen selection sense series signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services than thank that was when were went well weeks week we waste warrant thats wants wanted want waiting wait virtue value vaccine where while who why youll you yet years yearly year yall wouldn would work wont won without with willing will wife ut using uses town told today to tired tipped time tightening throughout through this think things thing they these there their tooo tracking users tried used us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try resubscribe restriction restrict need nonesence non nice next news newest never needed my others must multiple moving moved move more months monthly nonsense nothing notified of original or option opportunity opening opened ontario only oneday one once on ok often offset offer off month money monetary luck lower lost losing loose looking long lol locations location ll living live little limiting limited limit like loyalty made moment make mom mistake mind might merge memberships membership members member medical means may married market manservices making makes other our restart putting re rather rate raising raises raise quickly quality put out pushed provider profits profit profiles problem pricing president reactivate reality really
Topic 29 | Coherence=-218828.27 | Top words= the are you to will not it only that me if email fact good consider bye your again others give reactivate forever issue makes rectifying this months back come never want do rates thing higher than same who so expensive compared switching get return budget tightening againlater cannot multiple have new restart users stopped enough billings under hungry too changing gouging feet nonsense sense expected everything girl even euro expenses especially extortion given go every fiance entertainment goes entertaining face going gone end gonna emails got elsewhere gotten grandkids great extra gas gf getting financial financially few first fix fixed flat focused greedy food for forcing fees feel fee forth free frequent from fuel fault far future games fan garbage finally family fair greed he guys increasses just joint join job jacking itself its issues isnt isn is iny intolerable into interested instead inflation justify keep keeping learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept increments increasing hacked increases hike high her help health eliminating having havent has hardly hard happy hand half had hacking hackednot hikes hiking history idea increased increase income in improvements im ill husband holder huge how households household house hosehold horrible else youre el been bf between better benefits benefit being begin before becoming biased because became be barely bank awhile away automatically biannually biden edge buggin cant cancelling canceling cancel can by but business broke biggest break boyfriend both blindly bit bills billing bill aunt at as adding agree after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost card care cared deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting easily earlier each duplicate due drive drastically drain down double dont done don like doesnt divorce disgusts customer current caring cheaper combine college climbing climb city choose choice checking charging currency charges charged charge changes changed change cell caused combining coming company competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected compromised life loyal limit spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some situation stealing stop limited support terrible temporary temporarily taste talk taking take system summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger single since significant rules see secure second scaling scales saving save run rule signaling rotating rising risen rise ripped right ridiculous retiring seems seen selection series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service thank thanks thats we when whats what were went well weeks week way value waste was warrant wants wanted waiting wait vs where while why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine their times tried tracking town tooo told today tired tipped time ut tight throughout through think things they these there try trying twice two using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable retired resume resubscribe news now notified nothing nonesence non no nice next newest monthly needed need my must much moving moved move of off offer offered our other original or options option opportunity opening opened ontario oneday one once on ok often offset more month outside longer made luck loyalty lower lost losing loose looking long money lol locations location ll living live little limiting make making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market out over restriction putting rather rate raising raises raised raise quickly quality put president pushed provider profits profit profiles problem pricing prices re reality really reason
Topic 30 | Coherence=-215119.62 | Top words= to my is pay subscription was that have not it but just so bill charged do ill an compromised after card because told credit automatically wanted option allowed bank without be increase much half too should think fault what can as benefit disgusting got good even gonna gone feel finally euro goes go given give girl every gf going especially gotten hackednot hand end fee enough had hacking entertaining hacked expected guys greedy greed entertainment great grandkids gouging everything expenses getting financial fiance forcing fact fair far for food focused flat family fixed fix first financially fan forever happy forth extra fees expensive get gas extortion feet games face future fuel from few frequent free garbage youre hard last lack kids kidding kept keeps keeping keep justify joint join job jacking itself its issues issue isnt laid later iny layoff ll living live little limiting limited limit like life letting let lesser less legacy left leave learning isn intolerable hardly household hosehold horrible holder history hiking hikes email hike higher high her help health he having havent has house households into how interested instead inflation increments increasses increasing increases increased income in improvements im if idea husband hungry huge emails double elsewhere being biggest biden biased biannually bf between better benefits begin caused before been becoming became barely back awhile away billing billings bills bit cared care cant cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly aunt at aren agree again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming are all apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also already almost allow caring cell else death direction different differences didnt deteriorated delivering declined decisions deal change days day daughter date damn dad cutting cut disappointed discontinue disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain down locations dont done don doesnt customers customer currently company come combining combine college climbing climb city choose choice checking cheaper charging charges charge changing changes changed coming compared current competitive currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected location loyal lol ridiculous stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something stopping stranger stupid taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber someone some situation save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series single short since significant signaling sign sight sick shoves shouldn she service sharing share shady several settled set servicio services thats the their we where when whats were went well weeks week way who waste warrant wants want waiting wait vs virtue while why vaccine wouldn youll you yet years yearly year yall ya would wife worth workable work wont won with willing will value ut there time tried tracking town tooo today tired tipped times tightening trying tight throughout through this things thing they these try twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable right return long retiring offset offered offer off of now notified nothing nonsense nonesence non no nice next news newest new never needed often ok on original own overpriced over outside out our others other or once options opportunity opening opened ontario only oneday one need must multiple made may married market many manservices making makes make luck me loyalty your lower lost losing loose looking longer maybe means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member owner owning pagos rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits reside retired resume
Topic 31 | Coherence=-235072.17 | Top words= you extra of share charging your greedy money because not also my few way past over with subscriptions fan years many the to out me family cant when using for without stay grandkids outside pay states subscription sharing won months idea town declined hosehold bill offered more phone card got moving no it company be spending disgusts greed getting get gas youre gf girl give given go goes going gone garbage good gotten gouging great gonna forever games future far fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email fault fee feel focused fuel from frequent free forth hacked forcing food flat fees fixed fix first financially financial finally fiance feet guys havent hackednot justify joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation just keep hacking keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increments increasses increasing increases hike higher high her help health he having else have has hardly hard happy hand half had hikes hiking history if increased increase income in improvements im ill husband holder hungry huge how households household house horrible elsewhere dont eliminating been bf between better benefits benefit being begin before becoming biased became barely bank back awhile away automatically aunt biannually biden as budget canceling cancel can bye by but business buggin broke biggest break boyfriend both blindly bit bills billings billing at aren cannot adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amounts amount amercian am already almost allowed allow cancelling care el day differences didnt deteriorated delivering decisions death deal days daughter direction date damn dad cutting cut customers customer currently different disappointed currency drain edge easily earlier each duplicate due drive drastically down discontinue double like done don doesnt do divorce disgusting current creep cared charges college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come credit continually covid courtesy country costs cost continuous continues continue continously coming constantly constant consolidating consider connected compromised competitive compared life loyal limit spouses stopped stop stepdad stealing starting started start squeeze spouse situation spend span sorry soon son something someone some stopping stranger stupid sub thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber so single thats same seems see secure second scaling scales saving save run since rules rule rotating rising risen rise ripped right seen selection sense series significant signaling sign sight sick shoves shouldn should short she shady several settled set servicio services service that their return warrant were went well weeks week we waste was wants uses wanted want waiting wait vs virtue value vaccine what whats where while youll yet yearly year yall ya wouldn would worth workable work wont willing will wife why who ut users there tightening tooo too told today tired tipped times time tight used throughout through this think things thing they these tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous retiring limited next off now notified nothing nonsense nonesence non nice news move newest new never needed need must multiple much offer offset often ok overpriced our others other original or options option opportunity opening opened ontario only oneday one once on moved monthly owner longer made luck loyalty lower lost losing loose looking long month lol locations location ll living live little limiting make makes making manservices monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market own owning retired rate recent reason really reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recently recession rectifying redo
Topic 32 | Coherence=-223853.18 | Top words= price the your and too many access greed you am luck why canceling hike checking of will we where subscription has good since like now be that was gone member just selection deteriorated span drastically up with months in company or earlier oneday sorry went stopping sharing subscribers tired other have playing games do annually disgusts again before prefer customer ridiculous platforms ll became loyal cant competitive choose hacked broke covid yearly gotten great gf girl grandkids give gouging go given againlater gonna after agree going goes got guys greedy get having havent additional addresses addtional hardly hard happy hand half had adicional hacking afford hackednot getting barely health fees financial finally allowed fiance few almost feet feel first fee fault far fan family fair fact financially fix gas frequent garbage alarming future fuel all from allow free fixed forth forever forcing for food focused flat he high help jacking acceptance keep justify joint join account job itself iny its it issues issue accounts isnt isn keeping absurd keeps kept let lesser less legacy left leave about learning layoff later last laid lack kids kidding is intolerable her holder huge how households household house hosehold horrible history into hiking hikes added adding addition higher extra hungry husband idea if interested instead inflation increments increasses increasing increases acct increased increase income activities improvements im ill face expenses extortion as charging charges aren charged charge changing changes at cannot changed change cell caused caring cared care cheaper are choice city consolidating consider connected compromised compared anyways aparently apps coming come combining combine college climbing climb card cancelling anymore between biggest biden awhile biased biannually bf back better aunt benefits benefit being begin bank been becoming bill billing billings bills cancel can bye by automatically but away business buggin budget break boyfriend both blindly bit constant constantly expensive down already each duplicate due drive also drain double disgusting dont done don doesnt amercian letting amount easily edge el eliminating because expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else amounts discontinue continously any customers anticonsumer currently current currency creep credit courtesy disappointed country costs cost continuous continues continue continually cut cutting another dad direction different differences didnt an delivering declined decisions death deal days day daughter date damn divorce youre life spending stay states starting started start squeeze spouses spouse spend signaling soon son something someone some so situation single stealing stepdad stop stopped terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscriber sub stupid stranger significant sign thank rotating scaling scales saving save same run rules rule rising sight risen rise ripped right return retiring retired resume second secure see seems sick shoves shouldn should short she share shady several settled set servicio services service series sense seen than thanks limit wanted were well weeks week way waste warrant wants want users waiting wait vs virtue value vaccine ut using what whats when while youll yet years year yall ya wouldn would worth workable work wont won without willing wife who uses used thats throughout told today to tipped times time tightening tight through use this think things thing they these there their tooo town tracking tried us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try resubscribe restriction restrict new nonsense nonesence non no nice next news newest never more needed need my must multiple much moving moved not nothing notified off others original options option opportunity opening opened ontario only one once on ok often offset offered offer move monthly restart longer make made loyalty lower lost losing loose looking long month lol locations location living live little limiting limited makes making manservices market money monetary moment mom mistake mind might merge memberships membership members medical means me maybe may married our out outside quickly re rather rates rate raising raises raised raise quality over putting put pushed provider profits profit profiles problem reactivate reality really
Topic 33 | Coherence=-230159.75 | Top words= be back and will is price can money increases saving with more to break need taking my deal continuous problem when we on got ll of time just for subscription laid off bit sharing divorce ill come payday dad own summer next subscriptions broke feet repurposing phone now business tired might monetary not through play soon charging over right layoff increasing stop live future provider hikes husband give good gotten going given goes go girl getting gf gone get gonna games garbage gas youre focused fuel expenses fan family fair fact face extra extortion expensive expected from everything every even euro especially entertainment entertaining enough far fault fee feel frequent free forth forever forcing food grandkids flat fixed fix first financially financial finally fiance few fees gouging havent great iny itself its it issues issue isnt isn intolerable job into interested instead inflation increments increasses increased jacking join income last lesser less legacy left leave learning later lack joint kids kidding kept keeps keeping keep justify increase in greed happy he having emails have has hardly hard hand help half had hacking hackednot hacked guys greedy health her improvements household im if idea hungry huge how households house high hosehold horrible holder history hiking hike higher end down email been bf between better benefits benefit being begin before becoming biased because became barely bank awhile away automatically aunt biannually biden as but card cant cannot cancelling canceling cancel bye by buggin biggest budget boyfriend both blindly bills billings billing bill at aren elsewhere adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow care cared caring decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting days day daughter date damn cutting cut customers discontinue disgusts caused due else eliminating el edge easily earlier each duplicate drive do drastically drain letting double dont done don doesnt customer currently current checking combining combine college climbing climb city choose choice cheaper currency charges charged charge changing changes changed change cell coming company compared competitive creep credit covid courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected compromised let loyal life started stranger stopping stopped stepdad stealing stay states starting start someone squeeze spouses spouse spending spend span sorry son stupid sub subscriber subscribers their the thats that thanks thank than terrible temporary temporarily taste talk take system switching support success something some ripped scaling series sense selection seen seems see secure second scales so save same run rules rule rotating rising risen service services servicio set situation single since significant signaling sign sight sick shoves shouldn should short she share shady several settled there these they way where whats what were went well weeks week waste thing was warrant wants wanted want waiting wait vs while who why wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing virtue value vaccine two trying try tried tracking town tooo too told today tipped times tightening tight throughout this think things twice unable ut under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise ridiculous like newest notified nothing nonsense nonesence non no nice news new monthly never needed must multiple much moving moved move offer offered offset often out our others other original or options option opportunity opening opened ontario only oneday one once ok months month return longer luck loyalty your lower lost losing loose looking long moment lol locations location living little limiting limited limit made make makes making mom mistake mind merge memberships membership members member medical means me maybe may married market many manservices outside overpriced owner rates recently recent reason really reality reactivate re rather rate owning raising raises raised raise quickly quality putting put recession rectifying redo
Topic 34 | Coherence=-228684.25 | Top words= subscription for my the using now raising you don to as money on people going wife like much another reason better gonna kept possible through im just want trying and am left services courtesy charges got how when spending thank married divorce get spend charging own months reduce an her been bills even cut getting has moving out platform service less fair so hike squeeze instead their spouses tracking kids awhile why over later games entertaining future fuel from frequent gas free forth forever forcing layoff garbage extortion expensive last let enough gf girl end laid give given emails email go goes food focused learning entertainment extra expenses legacy face fact expected family fan far fault fee lesser feel fees feet few fiance finally financial everything lack leave first every fix euro fixed flat especially financially gotten gone kidding issue idea husband hungry huge issues it households household house hosehold horrible holder its history isnt if ill increased inflation into increments increasses increasing increases intolerable isn increase income iny in improvements is hiking hikes itself great joint hacked guys greedy justify greed grandkids hacking keep gouging interested keeping good keeps hackednot had higher having high jacking help health job he join half elsewhere have hardly hard happy hand havent youre else being biggest biden biased biannually bf between benefits benefit begin automatically before becoming because became be barely bank back bill billing billings bit cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly away aunt care adding again after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about againlater agree alarming all aren are apps aparently anyways anymore any anticonsumer annually amounts amount amercian also already almost allowed allow card cared eliminating deal different differences didnt deteriorated delivering declined decisions death days current day daughter date damn dad cutting customers customer direction disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically drain down double dont done letting do disgusts currently currency caring checking combining combine college climbing climb city choose choice cheaper creep charged charge changing changes changed change cell caused come coming company compared credit covid country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive doesnt loyal life spouse stop stepdad stealing stay states starting started start span significant sorry soon son something someone some situation single stopped stopping stranger stupid than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub since signaling that rule second scaling scales saving save same run rules rotating sign rising risen rise ripped right ridiculous return retiring secure see seems seen sight sick shoves shouldn should short she sharing share shady several settled set servicio series sense selection thanks thats limit way whats what were went well weeks week we waste vaccine was warrant wants wanted waiting wait vs virtue where while who will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut there time town tooo too told today tired tipped times tightening uses tight throughout this think things thing they these tried try twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retired resume resubscribe new nonsense nonesence non no nice next news newest never monetary needed need must multiple moved move more monthly not nothing notified of or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off month moment restriction long loyalty your lower lost losing loose looking longer lol mom locations location ll living live little limiting limited luck made make makes mistake mind might merge memberships membership members member medical means me maybe may market many manservices making original other others quality re rather rates rate raises raised raise quickly putting our put pushed provider profits profit profiles problem pricing reactivate reality really
Topic 35 | Coherence=-217521.32 | Top words= the it my you to just time job as use in can due by many moved months losing last afford month see this have money we vaccine already president two lost biden unfortunately caused hungry single future garbage guys hacked games goes fuel from hackednot hacking frequent free gas greedy go good going given forth give gone gonna girl gf greed got gotten getting gouging get grandkids great youre first forever forcing face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else fact fair family financial for food focused flat fixed fix half financially finally fan fiance few feet fees feel fee fault far had hike hand into kidding kept keeps keeping keep justify joint join jacking itself its issues issue isnt isn is iny kids lack laid letting live little limiting limited limit like life let later lesser less legacy left leave learning layoff intolerable interested happy instead horrible holder history hiking hikes el higher high her help health he having havent has hardly hard hosehold house household income inflation increments increasses increasing increases increased increase improvements households im ill if idea husband huge how eliminating down edge been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biggest aunt budget cannot cancelling canceling cancel bye but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at card adding againlater again after adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow an amounts amount amercian am also almost allowed cant care easily daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different creep dont earlier each duplicate drive drastically drain ll double done direction don doesnt do divorce disgusts disgusting discontinue disappointed currency credit cared charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company living loyal location start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber something some that saving sense selection seen seems secure second scaling scales save service same run rules rule rotating rising risen rise series services so shouldn situation since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thanks thats right week where when whats what were went well weeks way who waste was warrant wants wanted want waiting wait while why virtue would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs value their tightening town tooo too told today tired tipped times tight tried throughout through think things thing they these there tracking try ut up using uses users used us upward upping upcoming until trying unneeded unnecessary unfair unemployed understand under unable twice ripped ridiculous locations notified ok often offset offered offer off of now nothing once not nonsense nonesence non no nice next news on one new other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only newest never pagos made maybe may married market manservices making makes make luck means loyalty your lower loose looking longer long lol me medical needed monetary need must multiple much moving move more monthly moment member mom mistake mind might merge memberships membership members owning parent return rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo provider residence retiring retired
 75%|███████▌  | 36/48 [2:10:35<1:05:34, 327.91s/it]
Topic 36 | Coherence=-231047.00 | Top words= bill about youre disgusting its are extortion family company taste me but you greedy different for pay using charge the money when extra have that and subscriptions my paying increase it power prices limit news want idea cancel share offer services outside with let first month better didnt lesser tried others don enough profits now rates between people price than increased focused forth forever forcing keeps kept food kidding frequent flat fixed kids lack fix laid free from financially girl gone going goes go given give gf fuel getting get gas garbage games future last financial increases everything face letting life expensive expenses expected every fair even euro especially entertainment entertaining like fact less later fees finally fiance few layoff feet learning feel legacy fee leave fault far fan left gonna good keeping history house into hosehold horrible intolerable holder hiking households hikes hike iny higher high her household interested keep if income in improvements im ill increasing increasses how increments inflation instead husband hungry huge is help isn greed had hacking hackednot hacked guys joint great health grandkids gouging just gotten justify got join job jacking half hand itself happy hard hardly issues has issue havent emails having he isnt end drain email been biased biannually bf benefits benefit being begin before becoming biggest because became be barely bank back awhile away biden billing aunt business card cant cannot cancelling canceling can bye by buggin billings budget broke break boyfriend both blindly bit bills automatically at elsewhere addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all as annually aren apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed care cared caring days direction differences deteriorated delivering declined decisions death deal day discontinue daughter date damn dad cutting cut customers customer disappointed disgusts caused due else eliminating el edge easily earlier each duplicate drive divorce drastically limiting down double dont done doesnt do currently current currency checking combining combine college climbing climb city choose choice cheaper creep charging charges charged changing changes changed change cell come coming compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limited loyal little start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid these taking their thats thanks thank terrible temporary temporarily talk take sub system switching support summer success subscription subscribers subscriber something someone some scales sense selection seen seems see secure second scaling saving so save same run rules rule rotating rising risen series service servicio set situation single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled there they live way whats what were went well weeks week we waste while was warrant wants wanted waiting wait vs virtue where who thing would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife value vaccine ut tipped tracking town tooo too told today to tired times uses time tightening tight throughout through this think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable rise ripped right next notified nothing not nonsense nonesence non no nice newest off new never needed need must multiple much moving of offered ridiculous opening out our other original or options option opportunity opened offset ontario only oneday one once on ok often moved move more losing makes make made luck loyalty your lower lost loose months looking longer long lol locations location ll living making manservices many market monthly monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married over overpriced own re rectifying recession recently recent reason really reality reactivate rather pushed rate raising raises raised raise quickly quality putting redo reduce reducing reflect
Average topic coherence for the top words is -222401.1108313934
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.26it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.25it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.24it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.25it/s]
 10%|█         | 5/50 [00:00<00:08,  5.24it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.25it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.24it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.21it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.24it/s]
 20%|██        | 10/50 [00:01<00:07,  5.24it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.23it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.23it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.24it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.24it/s]
 30%|███       | 15/50 [00:02<00:06,  5.26it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.26it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.27it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.27it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.28it/s]
 40%|████      | 20/50 [00:03<00:05,  5.28it/s]
 42%|████▏     | 21/50 [00:03<00:05,  5.28it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.28it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.27it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.27it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.28it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.28it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.29it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.28it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.32it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.31it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.29it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.28it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.28it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.27it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.25it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.25it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.26it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.26it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.30it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.30it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.27it/s]
 84%|████████▍ | 42/50 [00:07<00:01,  5.25it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.24it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.24it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.26it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.26it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.25it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.26it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.25it/s]
100%|██████████| 50/50 [00:09<00:00,  5.26it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.62it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.52it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.53it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.53it/s]
 10%|█         | 5/50 [00:00<00:06,  6.49it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.50it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.50it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.50it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.52it/s]
 20%|██        | 10/50 [00:01<00:06,  6.54it/s]
 22%|██▏       | 11/50 [00:01<00:05,  6.52it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.50it/s]
 26%|██▌       | 13/50 [00:01<00:05,  6.50it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.51it/s]
 30%|███       | 15/50 [00:02<00:05,  6.53it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.47it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.47it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.48it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.48it/s]
 40%|████      | 20/50 [00:03<00:04,  6.47it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.49it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.52it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.45it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.48it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.49it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.51it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.51it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.52it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.53it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.52it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.46it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.48it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.50it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.51it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.53it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.53it/s]
 74%|███████▍  | 37/50 [00:05<00:01,  6.53it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.52it/s]
 78%|███████▊  | 39/50 [00:05<00:01,  6.52it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.53it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.52it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.52it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.53it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.53it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.52it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.51it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.49it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.49it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.49it/s]
100%|██████████| 50/50 [00:07<00:00,  6.50it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.47it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.48it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.47it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.45it/s]
 10%|█         | 5/50 [00:01<00:12,  3.47it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.47it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.47it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.47it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.48it/s]
 20%|██        | 10/50 [00:02<00:11,  3.48it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.48it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.48it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.48it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.46it/s]
 30%|███       | 15/50 [00:04<00:10,  3.47it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.49it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.48it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.46it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.46it/s]
 40%|████      | 20/50 [00:05<00:08,  3.48it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.49it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.48it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.49it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.49it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.48it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.50it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.50it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.50it/s]
 58%|█████▊    | 29/50 [00:08<00:05,  3.51it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.51it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.50it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.50it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.50it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.51it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.50it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.47it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.47it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.48it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.48it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.47it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.47it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.48it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.48it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.48it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.48it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.48it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.47it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.47it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.47it/s]
100%|██████████| 50/50 [00:14<00:00,  3.48it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.67it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.64it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.63it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.66it/s]
 10%|█         | 5/50 [00:01<00:16,  2.66it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.66it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.66it/s]
 16%|█▌        | 8/50 [00:03<00:15,  2.66it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.67it/s]
 20%|██        | 10/50 [00:03<00:14,  2.67it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.69it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.69it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.69it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.69it/s]
 30%|███       | 15/50 [00:05<00:13,  2.69it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.69it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.68it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.66it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.68it/s]
 40%|████      | 20/50 [00:07<00:11,  2.66it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.66it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.67it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.68it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.67it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.68it/s]
 52%|█████▏    | 26/50 [00:09<00:08,  2.67it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.67it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.68it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.67it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.67it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.66it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.66it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.67it/s]
 68%|██████▊   | 34/50 [00:12<00:06,  2.67it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.68it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.69it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.69it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.69it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.69it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.70it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.69it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.69it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.69it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.69it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.68it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.68it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.69it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.69it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.68it/s]
100%|██████████| 50/50 [00:18<00:00,  2.68it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.77it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.76it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.76it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.76it/s]
 10%|█         | 5/50 [00:02<00:25,  1.76it/s]
 12%|█▏        | 6/50 [00:03<00:24,  1.76it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.75it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.76it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.76it/s]
 20%|██        | 10/50 [00:05<00:22,  1.76it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.76it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.76it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.76it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.76it/s]
 30%|███       | 15/50 [00:08<00:19,  1.76it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.76it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.76it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.76it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.76it/s]
 40%|████      | 20/50 [00:11<00:16,  1.77it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.77it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.76it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.76it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.75it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.76it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.75it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.76it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.76it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.76it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.76it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.76it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.76it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.76it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.76it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.75it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.75it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.75it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.76it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.76it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.76it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.76it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.76it/s]
 86%|████████▌ | 43/50 [00:24<00:03,  1.77it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.76it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.77it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.77it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.77it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.77it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.77it/s]
100%|██████████| 50/50 [00:28<00:00,  1.76it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.80it/s]
Topic 0 | Coherence=-225172.29 | Top words= you extra my share of with using limit charging paying me because out cant for power family news money about increase without grandkids stay outside like want states idea subscriptions not months hosehold sharing town no unable declined keeps time hungry caring moving changing and different households climbing games greedy guys greed great future garbage good gouging gas gonna gotten get getting gf girl give got given go fuel going gone goes youre from frequent fan fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email far fault fee fixed free forth forever forcing hackednot food focused flat fix feel first financially financial finally fiance few feet fees hacked having hacking interested keep justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable keeping kept kidding legacy limiting limited life letting let lesser less left kids leave learning layoff later last laid lack into instead had inflation hikes hike higher high her help health he else havent have has hardly hard happy hand half hiking history holder improvements increments increasses increasing increases increased income in im horrible ill if husband huge how household house elsewhere down eliminating been bf between better benefits benefit being begin before becoming biased became be barely bank back awhile away automatically biannually biden at broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as cancelling addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed canceling cannot el day differences didnt deteriorated delivering decisions death deal days daughter disappointed date damn dad cutting cut customers customer currently direction discontinue currency drain edge easily earlier each duplicate due drive drastically live disgusting double dont done don doesnt do divorce disgusts current creep card charges combine college climb city choose choice checking cheaper charged come charge changes changed change cell caused cared care combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared little loyal living start stranger stopping stopped stop stepdad stealing starting started squeeze sub spouses spouse spending spend span sorry soon son stupid subscriber someone taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscription something some ll saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service so shoves situation single since significant signaling sign sight sick shouldn services should short she shady several settled set servicio the their there way whats what were went well weeks week we waste where was warrant wants wanted waiting wait vs virtue when while these would youll yet years yearly year yall ya wouldn worth who workable work wont won willing will wife why value vaccine ut times tracking tooo too told today to tired tipped tightening uses tight throughout through this think things thing they tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two ripped right ridiculous nonesence offset offered offer off now notified nothing nonsense non ok nice next newest new never needed need must often on pagos or owner own overpriced over our others other original options once option opportunity opening opened ontario only oneday one multiple much moved lower manservices making makes make made luck loyalty your lost move losing loose looking longer long lol locations location many market married may more monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe owning parent return rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo parents residence retiring
Topic 1 | Coherence=-227158.56 | Top words= it company entertaining are has far options biannually increasing year consider ill much seems like or other many after your too increases with price in you is and my moved someone who the me cancel subscriber already first let didnt son month pay cheaper boyfriend currency rates not euro new policies pleased only acct hacked loyalty biased increased started replace come family an food expensive given fair fact go face goes going gone extra extortion gonna good give got expenses expected gotten gouging everything every grandkids great even especially greed entertainment fan girl focused frequent flat fixed fix forcing financially forever financial forth finally fiance free few feet gf from fuel fees future games garbage feel fee gas get getting fault for youre greedy issues just joint join job jacking itself its issue keep isnt isn iny intolerable into interested instead justify keeping increments learning life letting lesser less legacy left leave layoff keeps later last laid lack kids kidding kept inflation increasses guys have high her help enough he having havent hardly hike hard happy hand half had hacking hackednot higher hikes increase huge income improvements im if idea husband hungry how hiking households household house hosehold horrible holder history health drive end being bill biggest biden bf between better benefits benefit begin billings before been becoming because became be barely bank billing bills awhile bye cared care card cant cannot cancelling canceling can by bit but business buggin budget broke break both blindly back away emails addition agree againlater again afford adicional addtional addresses additional adding all added activities accounts account access acceptance absurd about alarming allow automatically any aunt at as aren apps aparently anyways anymore anticonsumer allowed another annually amounts amount amercian am also almost caring caused cell delivering disgusts disgusting discontinue disappointed direction different differences deteriorated declined do decisions death deal days day daughter date damn divorce doesnt change each email elsewhere else eliminating el edge easily earlier duplicate don due limited drastically drain down double dont done dad cutting cut choose compared coming combining combine college climbing climb city choice customers checking charging charges charged charge changing changes changed competitive compromised connected consolidating customer currently current creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant limit loyal limiting stay sub stupid stranger stopping stopped stop stepdad stealing states subscription starting start squeeze spouses spouse spending spend span subscribers subscriptions they temporary there their thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer sorry soon something second services service series sense selection seen see secure scaling some scales saving save same run rules rule rotating servicio set settled several so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady these thing little waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where things worth youll yet years yearly yall ya wouldn would workable while work wont won without willing will wife why value vaccine ut tired try tried tracking town tooo told today to tipped using times time tightening tight throughout through this think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rising risen rise non offer off of now notified nothing nonsense nonesence no offset nice next news newest never needed need must offered often ripped original owner own overpriced over outside out our others option ok opportunity opening opened ontario oneday one once on multiple moving move loose making makes make made luck lower lost losing looking more longer long lol locations location ll living live manservices market married may months monthly money monetary moment mom mistake mind might merge memberships membership members member medical means maybe owning pagos parent reactivate redo rectifying recession recently recent reason really reality re put rather rate raising raises raised raise quickly quality reduce reducing reflect rejoin
Topic 2 | Coherence=-222645.18 | Top words= price the no with continues increasing worth money service more to value climb have not benefit it longer added other better services prices good enough increases cost new use me keeps while continually end sight rise down point in little delivering hardly frequent fault as drain barely justify isnt luck vs deal biggest before go isn happy benefits going through cannot popular disgusts was future getting give grandkids gouging get from fuel gotten goes got gas gonna games gone given girl garbage gf free fixed forth fan fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining family far forever fee forcing for food focused flat fix first financially financial finally fiance few feet fees feel great youre greed increments keeping keep just joint join job jacking itself its issues issue is iny intolerable into interested instead kept kidding kids less limited limit like life letting let lesser legacy lack left leave learning layoff later last laid inflation increasses greedy increased hike higher high her health he having havent has hard hand half had hacking hackednot hacked guys hikes hiking history husband increase income improvements im ill if idea hungry holder huge how households household house hosehold horrible help double emails becoming biden biased biannually bf between being begin been because aren became be bank back awhile away automatically aunt bill billing billings bills cant cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit at are email addition againlater again after afford adicional addtional addresses additional adding apps activities acct accounts account access acceptance absurd about agree alarming all allow aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed card care cared days direction different differences didnt deteriorated declined decisions death day caring daughter date damn dad cutting cut customers customer disappointed discontinue disgusting divorce elsewhere else eliminating el edge easily earlier each duplicate due drive drastically dont done don doesnt do currently current currency combining college climbing city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused combine come creep coming credit covid courtesy country costs continuous continue continously constantly constant consolidating consider connected compromised competitive compared company limiting loyal live started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers son someone living saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen ripped sense servicio some shoves so situation single since significant signaling sign sick shouldn set should short she sharing share shady several settled that thats their way whats what were went well weeks week we waste where warrant wants wanted want waiting wait virtue vaccine when who there wouldn youll you yet years yearly year yall ya would why workable work wont won without willing will wife ut using uses time town tooo too told today tired tipped times tightening users tight throughout this think things thing they these tracking tried try trying used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right ridiculous return non offer off of now notified nothing nonsense nonesence nice offset next news newest never needed need my must offered often own option over outside out our others original or options opportunity ok opening opened ontario only oneday one once on multiple much moving lower many manservices making makes make made loyalty your lost moved losing loose looking long lol locations location ll market married may maybe move months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means overpriced owner retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying owning reside retired
Topic 3 | Coherence=-229916.03 | Top words= to the and my of are you made or between have into choose putting other country activities me want already kids this one expensive be take price raising different prices elsewhere constantly currency location moved business only current changed that increase household profits kidding limiting don use another moving re single needed tired can life your out politically on consolidating wait will get last gf free fuel from frequent inflation forth forever forcing for food focused future garbage laid games fixed gas lack getting girl give given go goes going gone gonna flat fix got less family fair lesser fact face extra extortion let expenses expected letting everything every even euro fan far later fault layoff first financially learning financial finally leave fiance few feet left fees legacy feel fee good gouging gotten hikes husband hungry huge how issue households issues house hosehold horrible it holder its history hiking idea if ill increased increasses increasing instead increases interested intolerable iny im income is in isn improvements isnt itself hike increments higher hardly hard happy hand half had kept hacking hackednot hacked guys greedy greed great grandkids keeps has keeping entertainment jacking job join high joint her help keep health he having havent just justify especially youre entertaining begin biden biased biannually bf better benefits benefit being before bill been becoming because became barely bank back awhile biggest billing cared but card cant cannot cancelling canceling cancel bye by buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added acct accounts account access acceptance absurd about agree alarming all allow as aren apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also almost allowed care caring enough delivering disgusts disgusting discontinue disappointed direction differences didnt deteriorated declined do decisions death deal days day daughter date damn divorce doesnt caused earlier end emails email else eliminating el edge easily each done duplicate due like drastically drain down double dont dad cutting cut checking come combining combine college climbing climb city choice cheaper customers charging charges charged charge changing changes change cell coming company compared competitive customer currently creep credit covid courtesy costs cost continuous continues continue continually continously constant consider connected compromised drive loyal limit started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub limited talk thats thanks thank than terrible temporary temporarily taste taking subscriber system switching support summer success subscriptions subscription subscribers son something someone second service series sense selection seen seems see secure scaling some scales saving save same run rules rule rotating services servicio set settled so situation since significant signaling sign sight sick shoves shouldn should short she sharing share shady several their there these week where when whats what were went well weeks we value way waste was warrant wants wanted waiting vs while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine they tipped try tried tracking town tooo too told today times ut time tightening tight throughout through think things thing trying twice two unable using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rising risen rise nice now notified nothing not nonsense nonesence non no next more news newest new never need must multiple much off offer offered offset own overpriced over outside our others original options option opportunity opening opened ontario oneday once ok often move months owning loose making makes make luck loyalty lower lost losing looking monthly longer long lol locations ll living live little manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may owner pagos ripped reality reduce redo rectifying recession recently recent reason really reactivate pushed rather rates rate raises raised raise quickly quality reducing reflect rejoin remarried
Topic 4 | Coherence=-207817.89 | Top words= price issues future profiles expected with hikes since and or has oneday sorry sharing went earlier have up after me loyal customer currently being broke covid used agree workable girl gone going goes entertaining go given give fair gonna getting get gas garbage games entertainment gf enough from greedy had elsewhere email hacking hackednot hacked guys greed good great grandkids gouging emails end gotten got fuel euro especially fix financially extra financial finally fiance few face feet fees feel fee fault far fact fan first fixed family flat frequent free forth even forever every forcing for everything expenses food hand expensive extortion focused half health happy justify laid lack kids kidding kept keeps keeping keep just later joint join job jacking itself its it issue last layoff isn limit locations location ll living live little limiting limited like learning life letting let lesser less legacy left leave isnt is hard hike households household house hosehold horrible holder history hiking higher huge high her help eliminating he having havent hardly how hungry iny increases intolerable into interested instead inflation increments increasses increasing increased husband increase income in improvements im ill if idea else drastically el been biannually bf between better benefits benefit begin before becoming biden because became be barely bank back awhile away biased biggest aunt buggin cancelling canceling cancel can bye by but business budget bill break boyfriend both blindly bit bills billings billing automatically at cant adding againlater again afford adicional addtional addresses additional addition added all activities acct accounts account access acceptance absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost cannot card edge day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers current currency differences direction credit double easily each duplicate due drive long drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue creep courtesy care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine country constant costs cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come lol youre longer there sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span subscriber subscribers subscription temporarily the thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success soon son something scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio someone sick some so situation single significant signaling sign sight shoves set shouldn should short she share shady several settled their these rise they when whats what were well weeks week we way waste was warrant wants wanted want waiting wait vs virtue where while who wouldn youll you yet years yearly year yall ya would why worth work wont won without willing will wife value vaccine ut times town tooo too told today to tired tipped time tried tightening tight throughout through this think things thing tracking try using unneeded uses users use us upward upping upcoming until unnecessary trying unfortunately unfair unemployed understand under unable two twice risen ripped looking pagos offset offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new never often ok on other owner own overpriced over outside out our others original once options option opportunity opening opened ontario only one needed need my makes means maybe may married market many manservices making make member made luck loyalty your lower lost losing loose medical members must month multiple much moving moved move more months monthly money membership monetary moment mom mistake mind might merge memberships owning parent right parents rectifying recession recently recent reason really reality reactivate re rather rates rate raising raises raised raise quickly quality putting redo reduce reducing restart ridiculous return
Topic 5 | Coherence=-229261.15 | Top words= price the your subscription and too of hikes sharing for many charging prices hike keep are is newest charges an pricing addition terrible share out because increasing increase raising extra getting bye to lack greedy recent talk limited hand or increases you everything reality much selection life any else differences stupid improvements why without absurd change support using again already gonna increments access worth often nonesence lower pls agree caring wont buggin system hacked spend fees cannot than kids her games garbage got gouging gas get gf girl gotten future given go goes going gone good give youre fuel extortion fault far fan family fair fact face expensive from expenses expected every even euro especially entertainment fee feel feet few frequent free forth forever forcing food focused flat fixed grandkids first financially financial finally fiance fix health great joint job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation join just greed justify let lesser less legacy left leave learning layoff later last laid kidding kept keeps keeping increasses increased income in help enough he having havent have has hardly hard happy half had hacking hackednot guys high higher hiking huge im ill if idea husband hungry how history households household house hosehold horrible holder entertaining don end better billing bill biggest biden biased biannually bf between benefits changed benefit being begin before been becoming became be billings bills bit blindly caused cared care card cant cancelling canceling cancel can by but business budget broke break boyfriend both barely bank back allowed all alarming againlater after afford adicional addtional addresses additional adding added activities acct accounts account acceptance about allow almost awhile also away automatically aunt at as aren apps aparently anyways anymore anticonsumer another annually amounts amount amercian am cell changes emails declined disgusting discontinue disappointed direction different didnt deteriorated delivering decisions changing death deal days day daughter date damn dad disgusts divorce do doesnt email elsewhere eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done cutting cut customers connected competitive compared company coming come combining combine college climbing climb city choose choice checking cheaper charged charge compromised consider customer consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant letting loyal like spouse stealing stay states starting started start squeeze spouses spending single span sorry soon son something someone some so stepdad stop stopped stopping thats that thanks thank temporary temporarily taste taking take switching summer success subscriptions subscribers subscriber sub stranger situation since there rules secure second scaling scales saving save same run rule significant rotating rising risen rise ripped right ridiculous return see seems seen sense signaling sign sight sick shoves shouldn should short she shady several settled set servicio services service series their these limit waste what were went well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue whats when where while youll yet years yearly year yall ya wouldn would workable work won with willing will wife who value ut they times tried tracking town tooo told today tired tipped time uses tightening tight throughout through this think things thing try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring retired resume never not nonsense non no nice next news new needed monthly need my must multiple moving moved move more nothing notified now off other original options option opportunity opening opened ontario only oneday one once on ok offset offered offer months month resubscribe longer make made luck loyalty lost losing loose looking long money lol locations location ll living live little limiting makes making manservices market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married others our outside quickly reactivate re rather rates rate raises raised raise quality over putting put pushed provider profits profit profiles problem really reason recently
Topic 6 | Coherence=-210492.10 | Top words= be back break will can and taking money when ll just we off laid got saving bit of getting keep card broke for accounts time married charging combining declined repurposing come might take summer through deal monetary flat phone am layoff making play on entertaining goes go given give going girl every gone gonna hand half had hacking hackednot hacked guys greedy greed great grandkids gouging gotten enough good gf free get family feet fees feel fee fault far fan euro fair especially even fact face extra extortion expensive expenses expected few fiance gas forever garbage games future fuel from frequent everything forth forcing finally food focused entertainment fixed fix first financially financial happy higher hard kids kept keeps keeping justify joint join job jacking itself its it issues issue isnt isn is iny kidding lack into last living live little limiting limited limit like life letting let lesser less legacy left leave learning later intolerable interested hardly household hosehold horrible holder history hiking hikes hike emails high her help health he having havent have has house households instead how inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge end youre email before biannually bf between better benefits benefit being begin been biden becoming because became barely bank awhile away automatically biased biggest caring but care cant cannot cancelling canceling cancel bye by business bill buggin budget boyfriend both blindly bills billings billing aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed cared caused elsewhere decisions discontinue disappointed direction different differences didnt deteriorated delivering death disgusts days day daughter date damn dad cutting cut disgusting divorce cell due else eliminating el edge easily earlier each duplicate location do drastically drain down double dont done don doesnt customers customer currently choice company coming combine college climbing climb city choose checking current cheaper charges charged charge changing changes changed change compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider drive loyal locations starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son temporary their the thats that thanks thank than terrible temporarily subscribers taste talk system switching support success subscriptions subscription soon something these secure services service series sense selection seen seems see second set scaling scales save same run rules rule rotating servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady there they risen way where whats what were went well weeks week waste who was warrant wants wanted want waiting wait vs while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue vaccine thing to try tried tracking town tooo too told today tired twice tipped times tightening tight throughout this think things trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rising rise lol not ok often offset offered offer now notified nothing nonsense one nonesence non no nice next news newest new once oneday needed others owning owner own overpriced over outside out our other only original or options option opportunity opening opened ontario never need parent luck maybe may market many manservices makes make made loyalty means your lower lost losing loose looking longer long me medical my monthly must multiple much moving moved move more months month member moment mom mistake mind merge memberships membership members pagos parents ripped re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing put restrict right ridiculous
Topic 7 | Coherence=-221900.73 | Top words= to need money dont you as use save do it much services not trying other enough and good want go just continues up why guys needed some forth so put the possible bills more right now subscriptions cancel financially warrant hard cost reduce never eliminating often continuous prefer monthly we platforms thanks been weeks success kidding discontinue several stop time rules value fees same email entertaining frequent from especially entertainment gonna gone fuel going future games garbage elsewhere gas end get getting gf goes else free give given emails girl fan euro even fault fee feel feet family few fiance fair finally fact financial first face fix extra fixed extortion expensive flat focused food for forcing expenses far expected forever everything every got youre gotten into its issues issue isnt isn is iny intolerable interested in instead inflation increments increasses increasing increases increased increase itself jacking job join less legacy left leave learning layoff later last laid lack kids kept keeps keeping keep justify joint income improvements gouging hand health he having havent have has el happy half im had hacking hackednot hacked greedy greed great grandkids help her high higher ill if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike hardly disgusts edge because between better benefits benefit being begin before becoming became biannually be barely bank back awhile away automatically aunt bf biased easily broke canceling can bye by but business buggin budget break biden boyfriend both blindly bit billings billing bill biggest at aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cancelling cannot cant date delivering declined decisions death deal days day daughter damn credit dad cutting cut customers customer currently current currency deteriorated didnt differences different earlier each duplicate due drive drastically drain down double done don doesnt divorce let disgusting disappointed direction creep covid card charge city choose choice checking cheaper charging charges charged changing courtesy changes changed change cell caused caring cared care climb climbing college combine country costs continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come combining lesser loyal letting spouse stealing stay states starting started start squeeze spouses spending since spend span sorry soon son something someone situation stepdad stopped stopping stranger than terrible temporary temporarily taste talk taking take system switching support summer subscription subscribers subscriber sub stupid single significant restrict rising secure second scaling scales saving run rule rotating risen signaling rise ripped ridiculous return retiring retired resume resubscribe see seems seen selection sign sight sick shoves shouldn should short she sharing share shady settled set servicio service series sense thank that thats way where when whats what were went well week waste their was wants wanted waiting wait vs virtue vaccine while who wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing ut using uses town too told today tired tipped times tightening tight throughout through this think things thing they these there tooo tracking users tried used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice try restriction restart life my nonesence non no nice next news newest new must mistake multiple moving moved move months month monetary moment nonsense nothing notified of or options option opportunity opening opened ontario only oneday one once on ok offset offered offer off mom mind respect locations lower lost losing loose looking longer long lol location might ll living live little limiting limited limit like your loyalty luck made merge memberships membership members member medical means me maybe may married market many manservices making makes make original others our putting rates rate raising raises raised raise quickly quality pushed out provider profits profit profiles problem pricing prices price rather re reactivate
Topic 8 | Coherence=-224501.59 | Top words= and you price the raised offer your prices greedy tried almost fact shady because used pay once raising dont keep are like that services also me money for cancel in on years constant increases from of been yall ridiculous stealing havent better restriction continously lesser others fan gotten waste politically again biased new combining increase done moment fix going gf girl far family give fair enough given euro face go goes gone get gonna extra good got extortion expensive gouging expenses expected grandkids everything great greed getting especially entertainment gas entertaining fixed guys flat first financially financial focused every food finally fiance few forcing feet forever fees forth free feel frequent fee fuel future games garbage fault even her hacked justify joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead just keeping hackednot keeps limit life letting let less legacy left leave learning layoff later last laid lack kids kidding kept inflation increments increasses increasing hike higher high emails help health he having have has hardly hard happy hand half had hacking hikes hiking history husband increased income improvements im ill if idea hungry holder huge how households household house hosehold horrible end youre email benefit billing bill biggest biden biannually bf between benefits being bills begin before becoming became be barely bank back billings bit away bye cared care card cant cannot cancelling canceling can by blindly but business buggin budget broke break boyfriend both awhile automatically elsewhere adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aunt anticonsumer at as aren apps aparently anyways anymore any another allow annually an amounts amount amercian am already allowed caring caused cell decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts change due else eliminating el edge easily earlier each duplicate drive divorce limiting drastically drain down double don doesnt do cut customers customer choice coming come combine college climbing climb city choose checking currently cheaper charging charges charged charge changing changes changed company compared competitive compromised current currency creep credit covid courtesy country costs cost continuous continues continue continually constantly consolidating consider connected limited loyal little starting stupid stranger stopping stopped stop stepdad stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers these taste their thats thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions soon son something second service series sense selection seen seems see secure scaling someone scales saving save same run rules rule rotating servicio set settled several some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share there they risen way whats what were went well weeks week we was where warrant wants wanted want waiting wait vs virtue when while thing workable youll yet yearly year ya wouldn would worth work who wont won without with willing will wife why value vaccine ut tipped tracking town tooo too told today to tired times using time tightening tight throughout through this think things try trying twice two uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable rising rise live next notified nothing not nonsense nonesence non no nice news off newest never needed need my must multiple much now offered own option over outside out our other original or options opportunity offset opening opened ontario only oneday one ok often moving moved move losing making makes make made luck loyalty lower lost loose more looking longer long lol locations location ll living manservices many market married months monthly month monetary mom mistake mind might merge memberships membership members member medical means maybe may overpriced owner ripped rather recession recently recent reason really reality reactivate re rates redo rate raises raise quickly quality putting put pushed rectifying reduce owning respect right
Topic 9 | Coherence=-217947.17 | Top words= access your now subscription why and will good checking luck you many canceling increments greed price am too where is we be their people tracking how they increase return againlater tightening budget temporarily cancelling later services rejoin down scaling own when trying gotten frequent hackednot from hacked fuel guys future games greedy great grandkids gouging goes going garbage gas got get gonna gone getting gf girl give given go free youre forth forever face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else fact fair family financial forcing for food focused flat fixed fix financially finally fan fiance few feet fees feel fee fault far first he hacking itself keeping keep justify just joint join job jacking its had it issues issue isnt isn iny intolerable into keeps kept kidding kids limiting limited limit like life letting let lesser less legacy left leave learning layoff last laid lack interested instead inflation history hikes hike higher high her help health el having havent have has hardly hard happy hand half hiking holder increasses horrible increasing increases increased income in improvements im ill if idea husband hungry huge households household house hosehold eliminating done edge before biannually bf between better benefits benefit being begin been biden becoming because became barely bank back awhile away biased biggest care buggin cant cannot cancel can bye by but business broke bill break boyfriend both blindly bit bills billings billing automatically aunt at addition agree again after afford adicional addtional addresses additional adding as added activities acct accounts account acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost card cared easily daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different caring dont earlier each duplicate due drive drastically drain double live direction don doesnt do divorce disgusts disgusting discontinue disappointed currency creep credit charging combine college climbing climb city choose choice cheaper charges covid charged charge changing changes changed change cell caused combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared little loyal living spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped situation switching than terrible temporary taste talk taking take system support stopping summer success subscriptions subscribers subscriber sub stupid stranger so single retired run seems see secure second scales saving save same rules selection rule rotating rising risen rise ripped right ridiculous seen sense since short significant signaling sign sight sick shoves shouldn should she series sharing share shady several settled set servicio service thank thanks that warrant were went well weeks week way waste was wants whats wanted want waiting wait vs virtue value vaccine what while thats would youll yet years yearly year yall ya wouldn worth who workable work wont won without with willing wife ut using uses tight tooo told today to tired tipped times time throughout users through this think things thing these there the town tried try twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring resume ll nice of notified nothing not nonsense nonesence non no next offer news newest new never needed need my must off offered much opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often multiple moving resubscribe lower married market manservices making makes make made loyalty lost maybe losing loose looking longer long lol locations location may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical out outside over raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason overpriced rent restriction
Topic 10 | Coherence=-226019.43 | Top words= and about bill family extra you that my when don the increase subscription its extortion disgusting youre taste like money greedy states company idea outside have different are for subscriptions me charge pay but of share want power with to news already provider better service getting through am connected nonsense activities cell health several waste system summer what seen would caused weeks discontinue boyfriend is given give especially go goes girl gf feel going gotten end greed great grandkids face gouging got gone good enough gonna entertaining fan entertainment expensive garbage get fee focused flat fixed fix expected first financially every financial finally expenses fiance few feet everything food gas free fees games future fuel from frequent fact fault euro far forth forever even forcing fair having guys keep just joint join job jacking itself it issues issue isnt isn iny intolerable into interested instead inflation justify keeping hacked keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept increments increasses increasing increases hike higher high her help he email havent has hardly hard happy hand half had hacking hackednot hikes hiking history husband increased income in improvements im ill if hungry holder huge how households household house hosehold horrible emails divorce elsewhere before biased biannually bf between benefits benefit being begin been else becoming because became be barely bank back awhile biden biggest billing billings cant cannot cancelling canceling cancel can bye by business buggin budget broke break both blindly bit bills away automatically aunt alarming againlater again after afford adicional addtional addresses additional addition adding added acct accounts account access acceptance absurd agree all at allow as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also almost allowed card care cared disappointed differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers direction disgusts currently limited eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done doesnt do customer current caring coming combining combine college climbing climb city choose choice checking cheaper charging charges charged changing changes changed change come compared currency competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider compromised limit loyal limiting span starting started start squeeze spouses spouse spending spend sorry stealing soon son something someone some so situation single stay stepdad restriction switching thank than terrible temporary temporarily talk taking take support stop success subscribers subscriber sub stupid stranger stopping stopped since significant signaling rising scales saving save same run rules rule rotating risen sign rise ripped right ridiculous return retiring retired resume scaling second secure see sight sick shoves shouldn should short she sharing shady settled set servicio services series sense selection seems thanks thats their warrant whats were went well week we way was wants uses wanted waiting wait vs virtue value vaccine ut where while who why youll yet years yearly year yall ya wouldn worth workable work wont won without willing will wife using users there time town tooo too told today tired tipped times tightening used tight throughout this think things thing they these tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resubscribe restrict little new nothing not nonesence non no nice next newest never now needed need must multiple much moving moved move notified off restart ontario other original or options option opportunity opening opened only offer oneday one once on ok often offset offered more months monthly loose make made luck loyalty your lower lost losing looking month longer long lol locations location ll living live makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market others our out quickly re rather rates rate raising raises raised raise quality price putting put pushed profits profit profiles problem pricing reactivate reality really reason
Topic 11 | Coherence=-227973.04 | Top words= prices for you it time increasing at keep customer long like only no subscriber rates we alarming feel loyalty to will is there going that stop sharing guys pay want are and raising business just make something resubscribe dont sense people decisions doesnt well making they from when because customers every year subscriptions some into put success fault users please adding on yearly but been really using money price second prefer cared extra hand due bill euro system girl fuel gas gf get games garbage give given go getting goes frequent free future feet forth forever fair fact face extortion expensive expenses expected everything even especially entertainment entertaining enough end emails family fan far first forcing food focused flat fixed fix financially fee financial finally fiance few gonna fees gone youre good its issue isnt isn iny intolerable interested instead inflation increments increasses increases increased increase income in improvements im issues itself got jacking left leave learning layoff later last laid lack kids kidding kept keeps keeping justify joint join job ill if idea husband havent have has hardly email happy half had hacking hackednot hacked greedy greed great grandkids gouging gotten having he health horrible hungry huge how households household house hosehold holder help history hiking hikes hike higher high her hard divorce elsewhere being biden biased biannually bf between better benefits benefit begin automatically before becoming became be barely bank back awhile biggest billing billings bills card cant cannot cancelling canceling cancel can bye by buggin budget broke break boyfriend both blindly bit away aunt else addition againlater again after afford adicional addtional addresses additional added as activities acct accounts account access acceptance absurd about agree all allow allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost care caring caused days different differences didnt deteriorated delivering declined death deal day cell daughter date damn dad cutting cut currently current direction disappointed discontinue disgusting eliminating el edge easily earlier each duplicate drive drastically drain down double done don do less disgusts currency creep credit come combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change combining coming covid company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared legacy loyal lesser span starting started start squeeze spouses spouse spending spend sorry thank soon son someone so situation single since significant states stay stealing stepdad terrible temporary temporarily taste talk taking take switching support summer subscription subscribers sub stupid stranger stopping stopped signaling sign sight scaling saving save same run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume scales secure sick see shoves shouldn should short she share shady several settled set servicio services service series selection seen seems than thanks restrict warrant what were went weeks week way waste was wants thats wanted waiting wait vs virtue value vaccine ut whats where while who youll yet years yall ya wouldn would worth workable work wont won without with willing wife why uses used use town too told today tired tipped times tightening tight throughout through this think things thing these their the tooo tracking us tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try restriction restart let must next news newest new never needed need my multiple option much moving moved move more months monthly month nice non nonesence nonsense opening opened ontario oneday one once ok often offset offered offer off of now notified nothing not monetary moment mom your lost losing loose looking longer lol locations location ll living live little limiting limited limit life letting lower luck mistake made mind might merge memberships membership members member medical means me maybe may married market many manservices makes opportunity options respect provider rate raises raised raise quickly quality putting pushed profits or profit profiles problem pricing president prescription preemptively power rather re reactivate
Topic 12 | Coherence=-218172.35 | Top words= the subscription as my for now on increases price customer back and going wife have this through stop divorce addtional youll new courtesy upcoming left spending me im greed using cutting aparently changes cheaper opened cut system out town to date than work residence respect finally euro entertainment especially goes go given every even entertaining give girl gf getting get gone gonna everything good got gotten gouging grandkids enough end great emails email greedy guys hacked elsewhere gas garbage financial expected flat family fixed fan far fix fault fee feel fees feet first few financially fiance focused fair fact free games future expenses fuel from frequent forth food expensive forever extortion forcing extra face hackednot youre hacking its keep justify just joint join job jacking itself it keeps issues issue isnt isn is iny intolerable into keeping kept had less limiting limited limit like life letting let lesser legacy kidding leave learning layoff later last laid lack kids interested instead inflation he hiking hikes hike higher high her help health having increments eliminating havent has hardly hard happy hand half history holder horrible hosehold increasses increasing increased increase income in improvements ill if idea husband hungry huge how households household house else dont el before biannually bf between better benefits benefit being begin been aunt becoming because became be barely bank awhile away biased biden biggest bill cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills billings billing automatically at cancelling adding againlater again after afford adicional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed canceling cannot edge days differences didnt deteriorated delivering declined decisions death deal day covid daughter damn dad customers currently current currency creep different direction disappointed discontinue easily earlier each duplicate due drive drastically drain down double live done don doesnt do disgusts disgusting credit country cant charge climb city choose choice checking charging charges charged changing costs changed change cell caused caring cared care card climbing college combine combining cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come little loyal living spouse stealing stay states starting started start squeeze spouses spend stopped span sorry soon son something someone some so stepdad stopping single take thanks thank terrible temporary temporarily taste talk taking switching stranger support summer success subscriptions subscribers subscriber sub stupid situation since return same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense significant she signaling sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services service that thats their way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while there would you yet years yearly year yall ya wouldn worth who workable wont won without with willing will why virtue value vaccine times tried tracking tooo too told today tired tipped time ut tightening tight throughout think things thing they these try trying twice two uses users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring ll nice of notified nothing not nonsense nonesence non no next offer news newest never needed need must multiple much off offered moved option over outside our others other original or options opportunity offset opening ontario only oneday one once ok often moving move retired lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married more mind months monthly month money monetary moment mom mistake might may merge memberships membership members member medical means maybe overpriced own owner raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent owning rent resume
Topic 13 | Coherence=-225840.89 | Top words= and too many prices new the raised anymore fees worth just charges you added using rules limit subscription have don paying expensive money times when bill gotten is use customers that greedy raise financial unemployed issues news really adding fault nothing on taking business over continue cant yet workable ll rates alarming dont makes my retiring system great gas garbage grandkids goes greed games guys future get gf getting gouging going girl got give given good gonna go gone fuel youre from frequent family fair fact face extra extortion expenses expected everything every even euro especially entertainment entertaining enough end fan far fee flat free forth forever forcing for food focused fixed feel fix first hacked finally fiance few feet financially he hackednot keep joint join job jacking itself its it issue isnt isn iny intolerable into interested instead inflation increments justify keeping hacking keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept increasses increasing increases increased hikes hike higher high her help health email having havent has hardly hard happy hand half had hiking history holder idea increase income in improvements im ill if husband horrible hungry huge how households household house hosehold emails double elsewhere before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest care buggin cannot cancelling canceling cancel can bye by but budget billing broke break boyfriend both blindly bit bills billings away automatically aunt additional agree againlater again after afford adicional addtional addresses addition at activities acct accounts account access acceptance absurd about all allow allowed almost as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already card cared else days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customer currently different disappointed caring drive eliminating el edge easily earlier each duplicate due drastically discontinue drain down done doesnt do divorce disgusts disgusting current currency creep cheaper combine college climbing climb city choose choice checking charging credit charged charge changing changes changed change cell caused combining come coming company covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive compared like loyal limited spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped ridiculous switching thank than terrible temporary temporarily taste talk take support stopping summer success subscriptions subscribers subscriber sub stupid stranger so situation single saving selection seen seems see secure second scaling scales save since same run rule rotating rising risen rise ripped sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thanks thats their waste what were went well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue whats where while who youll years yearly year yall ya wouldn would work wont won without with willing will wife why value ut there tightening town tooo told today to tired tipped time tight uses throughout through this think things thing they these tracking tried try trying users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable two twice right return limiting next now notified not nonsense nonesence non no nice newest off never needed need must multiple much moving moved of offer retired opening our others other original or options option opportunity opened offered ontario only oneday one once ok often offset move more months loose make made luck loyalty your lower lost losing looking monthly longer long lol locations location living live little making manservices market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may out outside overpriced raises recent reason reality reactivate re rather rate raising quickly pricing quality putting put pushed provider profits profit profiles recently recession rectifying redo
Topic 14 | Coherence=-220246.58 | Top words= your charge she good and daughter ut uses when it thank no college anyways me is sign bye worth going re extra for in my company of with will tired get once playing subscribers games but inflation settled moving rejoin free greed disgusts rising costs food year gas recession phone every stop go squeeze monetary now much others future gotten fuel gouging grandkids great girl got gf gone garbage goes given getting from give gonna youre frequent even fact face extortion expensive expenses expected everything euro family especially entertainment entertaining enough end emails email fair fan forth financial forever forcing focused flat fixed first financially finally far fiance few feet fees feel fee fault fix have greedy issue just joint join job jacking itself its issues isnt keep isn iny intolerable into interested instead increments increasses justify keeping guys leave like life letting let lesser less legacy left learning keeps layoff later last laid lack kids kidding kept increasing increases increased has high her help health he having havent else hardly increase hard happy hand half had hacking hackednot hacked higher hike hikes hiking income improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history elsewhere double eliminating becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased at break canceling cancel can by business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest aunt as cannot adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an are apps aparently anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cancelling cant el days differences didnt deteriorated delivering declined decisions death deal day direction date damn dad cutting cut customers customer currently different disappointed currency drain edge easily earlier each duplicate due drive drastically down discontinue limited dont done don doesnt do divorce disgusting current creep card charged climb city choose choice checking cheaper charging charges changing combine changes changed change cell caused caring cared care climbing combining credit continously covid courtesy country cost continuous continues continue continually constantly come constant consolidating consider connected compromised competitive compared coming limit loyal limiting started stranger stopping stopped stepdad stealing stay states starting start sub spouses spouse spending spend span sorry soon son stupid subscriber ridiculous taste the thats that thanks than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions something someone some saving selection seen seems see secure second scaling scales save so same run rules rule rotating risen rise ripped sense series service services situation single since significant signaling sight sick shoves shouldn should short sharing share shady several set servicio their there these waste what were went well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue whats where while who youll you yet years yearly yall ya wouldn would workable work wont won without willing wife why value using they times tracking town tooo too told today to tipped time users tightening tight throughout through this think things thing tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right return little next off notified nothing not nonsense nonesence non nice news offered newest new never needed need must multiple moved offer offset retiring option over outside out our other original or options opportunity often opening opened ontario only oneday one on ok move more months loose makes make made luck loyalty lower lost losing looking monthly longer long lol locations location ll living live making manservices many market month money moment mom mistake mind might merge memberships membership members member medical means maybe may married overpriced own owner raises reason really reality reactivate rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits recent recently rectifying redo
Topic 15 | Coherence=-216659.51 | Top words= subscriptions two need married one got other don price in and my dont husband house memberships will with tipped direction wife finally significant scales goes have changing continually the selection resume moved when has bank her own thats now recently done share multiple our agree merge households an ll everything double gf getting from greed fuel great grandkids gouging future gotten good gonna games garbage gone going gas go given get give girl frequent youre free expected family fair fact face extra extortion expensive expenses every forth even euro especially entertainment entertaining enough end emails fan far fault fee forever forcing for food focused flat fixed guys fix first financially financial fiance few feet fees feel greedy havent hacked keeps keep justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable keeping kept hackednot kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids into interested instead inflation hiking hikes hike higher high help health he having elsewhere hardly hard happy hand half had hacking history holder horrible improvements increments increasses increasing increases increased increase income im hosehold ill if idea hungry huge how household email drain else before biannually bf between better benefits benefit being begin been biden becoming because became be barely back awhile away biased biggest aunt budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at cannot adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about againlater all as another aren are apps aparently anyways anymore any anticonsumer annually allow amounts amount amercian am also already almost allowed cancelling cant eliminating date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences credit drastically el edge easily earlier each duplicate due drive limiting different down doesnt do divorce disgusts disgusting discontinue disappointed creep covid card charged climb city choose choice checking cheaper charging charges charge college changes changed change cell caused caring cared care climbing combine courtesy constant country costs cost continuous continues continue continously constantly consolidating combining consider connected compromised competitive compared company coming come limited loyal little starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber these taste their that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscription soon son something scaling service series sense seen seems see secure second saving someone save same run rules rule rotating rising risen services servicio set settled some so situation single since signaling sign sight sick shoves shouldn should short she sharing shady several there they ripped waste what were went well weeks week we way was where warrant wants wanted want waiting wait vs virtue whats while thing wouldn youll you yet years yearly year yall ya would who worth workable work wont won without willing why value vaccine ut tired tried tracking town tooo too told today to times using time tightening tight throughout through this think things try trying twice unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right live non offer off of notified nothing not nonsense nonesence no offset nice next news newest new never needed must offered often pagos options owner overpriced over outside out others original or option ok opportunity opening opened ontario only oneday once on much moving move lost making makes make made luck loyalty your lower losing more loose looking longer long lol locations location living manservices many market may months monthly month money monetary moment mom mistake mind might membership members member medical means me maybe owning parent ridiculous rate recent reason really reality reactivate re rather rates raising rectifying raises raised raise quickly quality putting put pushed recession redo parents residence return
Topic 16 | Coherence=-224222.08 | Top words= to have back money this and my in the prices for with is will cut months due on budget ill come losing raising try tight few don job once subscription month stop these high trying damn entertainment spending much rise be fuel costs but other having lost possible own twice am payday gas happy amercian poland mind next live ridiculous piracy bills go yall may divorce everything gf future reduce medical like rather problem keep climb needed weeks discontinue out food keeping forcing keeps kept fix first kidding flat forever fixed focused idea forth financial free frequent from justify just games garbage joint join jacking get getting itself financially fiance finally give left especially euro even every leave expected expenses expensive extortion learning extra face fact fair family fan layoff far later last fault fee laid feel fees feet lack kids girl goes given increases he health help her instead higher inflation increments hike increasses hikes increasing hiking history holder its horrible increased hosehold house increase household income improvements households how huge hungry husband im interested entertaining into havent if it going gone gonna good got issues gotten gouging grandkids issue great greed isnt greedy guys hacked isn hackednot hacking iny had half hand intolerable hard hardly has youre drain enough begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank awhile away biden bill aunt by card cant cannot cancelling canceling cancel can bye business billing buggin broke break boyfriend both blindly bit billings automatically at end adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as another aren are apps aparently anyways anymore any anticonsumer annually all an amounts amount also already almost allowed allow care cared caring decisions disappointed direction different differences didnt deteriorated delivering declined death disgusts deal days day daughter date dad cutting customers disgusting do caused earlier emails email elsewhere else eliminating el edge easily each doesnt duplicate drive drastically less down double dont done customer currently current cheaper combining combine college climbing city choose choice checking charging currency charges charged charge changing changes changed change cell coming company compared competitive creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised legacy loyal lesser start stopping stopped stepdad stealing stay states starting started squeeze thats spouses spouse spend span sorry soon son something stranger stupid sub subscriber thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers someone some so services series sense selection seen seems see secure second scaling scales saving save same run rules rule rotating service servicio situation set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled that their risen way when whats what were went well week we waste there was warrant wants wanted want waiting wait vs where while who why youll you yet years yearly year ya wouldn would worth workable work wont won without willing wife virtue value vaccine two tracking town tooo too told today tired tipped times time tightening throughout through think things thing they tried unable ut under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rising ripped let news notified nothing not nonsense nonesence non no nice newest over new never need must multiple moving moved move now of off offer our others original or options option opportunity opening opened ontario only oneday one ok often offset offered more monthly monetary luck your lower loose looking longer long lol locations location ll living little limiting limited limit life letting loyalty made moment make mom mistake might merge memberships membership members member means me maybe married market many manservices making makes outside overpriced right rates recession recently recent reason really reality reactivate re rate owner raises raised raise quickly quality putting put pushed rectifying redo reducing
Topic 17 | Coherence=-217989.87 | Top words= subscription my using to hacked away passed that has too this was acceptance with cost of paying lack daughter by being reality much the owner used change mistake notified stranger duplicate hard opened risen way fix quickly as parent married owning account at situation person changed spouses aunt financial living tooo today another people and really got membership im time ya hosehold give girl grandkids gas gouging gotten get garbage goes going getting gone given good go gf gonna youre for games future far fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough fault fee feel food fuel from frequent free forth forever forcing greed focused fees flat fixed first financially finally fiance few feet great health greedy increasses join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation joint just justify layoff let lesser less legacy left leave learning later keep last laid kids kidding kept keeps keeping increments increasing guys increases hike higher high her help emails he having havent have hardly happy hand half had hacking hackednot hikes hiking history idea increased increase income in improvements ill if husband holder hungry huge how households household house horrible end done email benefits bill biggest biden biased biannually bf between better benefit billings begin before been becoming because became be barely billing bills caring bye care card cant cannot cancelling canceling cancel can but bit business buggin budget broke break boyfriend both blindly bank back awhile additional agree againlater again after afford adicional addtional addresses addition automatically adding added activities acct accounts access absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost cared caused elsewhere decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day date damn dad cutting cut discontinue disgusts cell drive else eliminating el edge easily earlier each due drastically divorce drain down double dont life don doesnt do customers customer currently choose coming come combining combine college climbing climb city choice current checking cheaper charging charges charged charge changing changes company compared competitive compromised currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected letting loyal like spending stealing stay states starting started start squeeze spouse spend since span sorry soon son something someone some so stepdad stop stopped stopping terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid single significant thank same seems see secure second scaling scales saving save run signaling rules rule rotating rising rise ripped right ridiculous seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service than thanks limit week where when whats what were went well weeks we value waste warrant wants wanted want waiting wait vs while who why wife youll you yet years yearly year yall wouldn would worth workable work wont won without willing will virtue vaccine thats tight tried tracking town told tired tipped times tightening throughout ut through think things thing they these there their try trying twice two uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retiring retired new nonsense nonesence non no nice next news newest never monthly needed need must multiple moving moved move more not nothing now off original or options option opportunity opening ontario only oneday one once on ok often offset offered offer months month resume longer luck loyalty your lower lost losing loose looking long money lol locations location ll live little limiting limited made make makes making monetary moment mom mind might merge memberships members member medical means me maybe may market many manservices other others our raised reason reactivate re rather rates rate raising raises raise out quality putting put pushed provider profits profit profiles recent recently recession
Topic 18 | Coherence=-217951.36 | Top words= price increase not to the for this of worth is paying enough just currently other be used willing again are before care take start first options things great support something need being sick isnt offered what off greedy ripped lol getting horrible from girl spending ya far higher original cost afford like agree second climbing way reason seen life ridiculous damn value go face entertaining get gas gf emails give given goes going end garbage email elsewhere extra gone gonna good got gotten gouging entertainment family games future grandkids fix expected financially financial finally fiance expenses few feet expensive fees feel fee fault fixed flat everything forth especially fuel fan frequent extortion free forever focused forcing even fact fair food every euro has greed justify join job jacking itself its it issues issue isn iny intolerable into interested instead inflation increments increasses joint keep guys keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasing increases increased income her help health he having havent have eliminating hardly hard happy hand half had hacking hackednot hacked high hike hikes hungry in improvements im ill if idea husband huge hiking how households household house hosehold holder history else youre el begin biden biased biannually bf between better benefits benefit been bill becoming because became barely bank back awhile away biggest billing edge business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at adding alarming againlater after adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about all allow allowed almost aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already cant card cared deal different differences didnt deteriorated delivering declined decisions death days currency day daughter date dad cutting cut customers customer direction disappointed discontinue disgusting easily earlier each duplicate due drive drastically drain down double dont done don doesnt limit divorce disgusts current creep caring charging combine college climb city choose choice checking cheaper charges credit charged charge changing changes changed change cell caused combining come coming company covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared do loyal limited spouses stop stepdad stealing stay states starting started squeeze spouse stopping spend span sorry soon son someone some so stopped stranger resubscribe taking thanks thank than terrible temporary temporarily taste talk system stupid switching summer success subscriptions subscription subscribers subscriber sub situation single since rules see secure scaling scales saving save same run rule significant rotating rising risen rise right return retiring retired seems selection sense series signaling sign sight shoves shouldn should short she sharing share shady several settled set servicio services service that thats their waste when whats were went well weeks week we was ut warrant wants wanted want waiting wait vs virtue where while who why youll you yet years yearly year yall wouldn would workable work wont won without with will wife vaccine using there times tracking town tooo too told today tired tipped time uses tightening tight throughout through think thing they these tried try trying twice users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two resume restriction limiting needed non no nice next news newest new never my nonsense must multiple much moving moved move more months nonesence nothing restrict only our others or option opportunity opening opened ontario oneday notified one once on ok often offset offer now monthly month money loose make made luck loyalty your lower lost losing looking monetary longer long locations location ll living live little makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market out outside over quickly re rather rates rate raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reactivate reality really recent
Topic 19 | Coherence=-223832.39 | Top words= too for it expensive is me prices now going keep much not the worth service unfortunately upward no new given getting are using but rule thanks different right stupid later maybe many amount way longer never rising vs itself its raising out up subscriptions cost second offered whats everything hackednot easily expenses cutting overpriced greedy unnecessary secure creep she workable agree don lol paying games forcing get good forever gonna go gas free forth give garbage frequent gf gone goes girl fuel future from youre food euro fact face extra extortion expected every even especially focused entertainment entertaining enough end emails email elsewhere fair family fan far flat fixed fix first financially financial finally fiance few feet gotten fees feel fee fault got have gouging job issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases increased increase income jacking join grandkids joint lesser less legacy left leave learning layoff last laid lack kids kidding kept keeps keeping justify just in improvements im ill health he having havent eliminating has hardly hard happy hand half had hacking hacked guys greed great help her high household if idea husband hungry huge how households house higher hosehold horrible holder history hiking hikes hike else do el been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden aunt broke canceling cancel can bye by business buggin budget break biggest boyfriend both blindly bit bills billings billing bill automatically at edge adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about againlater all as annually aren apps aparently anyways anymore any anticonsumer another and allow an amounts amercian am also already almost allowed cancelling cannot cant date delivering declined decisions death deal days day daughter damn didnt dad cut customers customer currently current currency credit deteriorated differences card double earlier each duplicate due drive drastically drain down dont direction done doesnt letting divorce disgusts disgusting discontinue disappointed covid courtesy country charge city choose choice checking cheaper charging charges charged changing costs changes changed change cell caused caring cared care climb climbing college combine continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come combining let loyal life spouses stepdad stealing stay states starting started start squeeze spouse so spending spend span sorry soon son something someone stop stopped stopping stranger than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber sub some situation that run seen seems see scaling scales saving save same rules single rotating risen rise ripped ridiculous return retiring retired selection sense series services since significant signaling sign sight sick shoves shouldn should short sharing share shady several settled set servicio thank thats like we where when what were went well weeks week waste vaccine was warrant wants wanted want waiting wait virtue while who why wife youll you yet years yearly year yall ya wouldn would work wont won without with willing will value ut their tight told today to tired tipped times time tightening throughout uses through this think things thing they these there tooo town tracking tried users used use us upping upcoming until unneeded unfair unemployed understand under unable two twice trying try resume resubscribe restriction newest notified nothing nonsense nonesence non nice next news needed monthly need my must multiple moving moved move more of off offer offset others other original or options option opportunity opening opened ontario only oneday one once on ok often months month restrict long luck loyalty your lower lost losing loose looking locations money location ll living live little limiting limited limit made make makes making monetary moment mom mistake mind might merge memberships membership members member medical means may married market manservices our outside over quickly reactivate re rather rates rate raises raised raise quality own putting put pushed provider profits profit profiles problem reality really reason
Topic 20 | Coherence=-227840.27 | Top words= price for too increase is long high be the keeps not much and am was raised benefits nonsense what been way changing don has should quality keep this afford time to garbage renewing think paying will rising while cant willing blindly charged half why increased becoming so pay outside can play summer coming fees before up but service times prescription living no of reason biggest using payday good girl gotten getting future got gonna given go get games gf gone gas going fuel goes give youre from expected family fair fact face extra extortion expensive expenses everything frequent every even euro especially entertainment entertaining enough end fan far fault fee free forth forever forcing food gouging flat fixed fix first financially financial finally fiance few feet feel focused health grandkids income jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing job join joint later lesser less legacy left leave learning layoff last just laid lack kids kidding kept keeping justify increases in great improvements help email he having havent have hardly hard happy hand had hacking hackednot hacked guys greedy greed her higher hike how im ill if idea husband hungry huge households hikes household house hosehold horrible holder history hiking emails doesnt elsewhere being bill biden biased biannually bf between better benefit begin at because became barely bank back awhile away automatically billing billings bills bit caring cared care card cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both aunt as else adding againlater again after adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed caused cell change decisions disappointed direction different differences didnt deteriorated delivering declined death changed deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done letting do cut customers customer compromised compared company come combining combine college climbing climb city choose choice checking cheaper charging charges charge changes competitive connected currently consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating let loyal life spending stay states starting started start squeeze spouses spouse spend since span sorry soon son something someone some situation stealing stepdad stop stopped temporarily taste talk taking take system switching support success subscriptions subscription subscribers subscriber sub stupid stranger stopping single significant terrible rules secure second scaling scales saving save same run rule signaling rotating risen rise ripped right ridiculous return retiring see seems seen selection sign sight sick shoves shouldn short she sharing share shady several settled set servicio services series sense temporary than like warrant whats were went well weeks week we waste wants uses wanted want waiting wait vs virtue value vaccine when where who wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without with ut users thank through tooo told today tired tipped tightening tight throughout things used thing they these there their thats that thanks town tracking tried try use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retired resume resubscribe my nice next news newest new never needed need must monetary multiple moving moved move more months monthly month non nonesence nothing notified option opportunity opening opened ontario only oneday one once on ok often offset offered offer off now money moment restriction longer luck loyalty your lower lost losing loose looking lol mom locations location ll live little limiting limited limit made make makes making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices options or original putting re rather rates rate raising raises raise quickly put other pushed provider profits profit profiles problem pricing prices reactivate reality really
Topic 21 | Coherence=-219041.30 | Top words= subscription with my has an in family the extra for sharing already need pay he bf moving won anymore husband so dont no stepdad news if one charge parents im phone same between currently issues disappointed users support personal sub keeps someone offered spouse residence long hacking checking else reside joint was keep longer been tired do get to getting especially lesser gas face girl garbage games future fuel from gf go give going got good gonna elsewhere gone email emails given end enough entertaining goes entertainment free frequent forever forth fee fiance expensive few feet fees feel fault expected far fan life fair extortion like expenses everything fact focused forcing euro let even letting food flat finally fixed fix first gotten every financial financially kidding less last interested instead inflation increments increasses increasing increases increased idea increase income later layoff learning improvements ill into intolerable iny is keeping justify just kids join job jacking itself lack its it issue isnt laid isn leave left gouging half havent have eliminating hardly hard happy hand had hungry hackednot kept guys greedy greed great grandkids having legacy health help huge how households household house hosehold horrible holder history hiking hikes hike higher high her hacked youre el becoming biased biannually better benefits benefit being begin before because biggest became be barely bank back awhile away automatically biden bill cant buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt at as adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all are apps aparently anyways any anticonsumer another annually and amounts amount amercian am also almost allowed allow cannot card edge daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer current currency didnt different care down easily earlier each duplicate due drive drastically drain double direction limited done don doesnt divorce disgusts disgusting discontinue creep credit covid charges college climbing climb city choose choice cheaper charging charged courtesy changing changes changed change cell caused caring cared combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company limit loyal limiting start stopping stopped stop stealing stay states starting started squeeze stupid spouses spending spend span sorry soon son something stranger subscriber these temporarily their thats that thanks thank than terrible temporary taste subscribers talk taking take system switching summer success subscriptions some situation single save seen seems see secure second scaling scales saving run since rules rule rotating rising risen rise ripped right selection sense series service significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services there they little we when whats what were went well weeks week way while waste warrant wants wanted want waiting wait vs where who thing wouldn youll you yet years yearly year yall ya would why worth workable work wont without willing will wife virtue value vaccine tipped try tried tracking town tooo too told today times ut time tightening tight throughout through this think things trying twice two unable using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ridiculous return retiring next now notified nothing not nonsense nonesence non nice newest off new never needed must multiple much moved move of offer retired opportunity out our others other original or options option opening offset opened ontario only oneday once on ok often more months monthly lost making makes make made luck loyalty your lower losing month loose looking lol locations location ll living live manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may outside over overpriced raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
Topic 22 | Coherence=-212097.90 | Top words= my to not it pay is have subscription but was that so bill just do because compromised card ill an automatically allowed told wanted credit after without option charged bank think day today company declined waiting youre until raised worth job another fault repurposing any like more gonna gone every going goes go few given euro give girl everything gf getting get even especially good greedy end hackednot hacked guys enough entertaining greed got great grandkids gouging entertainment gotten garbage gas expensive expected expenses had flat fan fixed far fix first financially financial fee feel finally fiance fees feet focused family fair fuel extortion extra face games future fact from food frequent free forth forever forcing for hacking high half lack kidding kept keeps keeping keep justify joint join jacking itself its issues issue isnt isn iny intolerable kids laid interested last living live little limiting limited limit life letting let lesser less legacy left leave learning layoff later into instead hand hosehold holder history hiking hikes hike higher email her help health he having havent has hardly hard happy horrible house inflation household increments increasses increasing increases increased increase income in improvements im if idea husband hungry huge how households emails double elsewhere being biden biased biannually bf between better benefits benefit begin cared before been becoming became be barely back awhile biggest billing billings bills cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit away aunt at agree again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming as all aren are apps aparently anyways anymore anticonsumer annually and amounts amount amercian am also already almost allow care caring else death disappointed direction different differences didnt deteriorated delivering decisions deal caused days daughter date damn dad cutting cut customers discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain down location dont done don doesnt customer currently current come combine college climbing climb city choose choice checking cheaper charging charges charge changing changes changed change cell combining coming currency compared creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected competitive ll loyal locations spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping situation system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid some single thanks save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services thank thats ridiculous we when whats what were went well weeks week way while waste warrant wants want wait vs virtue value where who ut wouldn youll you yet years yearly year yall ya would why workable work wont won with willing will wife vaccine using the tight town tooo too tired tipped times time tightening throughout tried through this things thing they these there their tracking try uses unneeded users used use us upward upping upcoming up unnecessary trying unfortunately unfair unemployed understand under unable two twice right return lol non offer off of now notified nothing nonsense nonesence no offset nice next news newest new never needed need offered often multiple options over outside out our others other original or opportunity ok opening opened ontario only oneday one once on must much own luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moving mom moved move months monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced owner retiring raising reason really reality reactivate re rather rates rate raises recently raise quickly quality putting put pushed provider profits recent recession profiles reside retired resume
Topic 23 | Coherence=-215471.09 | Top words= good bye if it only will you email consider fact come not rectifying issue forever reactivate give never makes to are want back me that this again months the for no been legacy its members raising run respect fees constantly restart new under monthly elsewhere get gas garbage getting games future fuel goes gf girl hackednot hacked guys greedy greed great grandkids gouging gotten got gonna gone going go given from fixed frequent free fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails family fan far first forth forcing food focused flat had fix financially fault financial finally fiance few feet feel fee hacking youre half kidding keeps keeping keep justify just joint join job jacking itself issues isnt isn is iny intolerable into kept kids hand lack little limiting limited limit like life letting let lesser less left leave learning layoff later last laid interested instead inflation increments holder history hiking hikes hike higher her help health he having havent have has hardly hard happy horrible hosehold house improvements increasses increasing increases increased increase income in im household ill idea husband hungry huge how households high due else aunt biden biased biannually bf between better benefits benefit being begin before becoming because became be barely bank awhile away biggest bill billing business cant cannot cancelling canceling cancel can by but buggin billings budget broke break boyfriend both blindly bit bills automatically at eliminating as agree againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about alarming all allow annually aren apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost card care cared caring direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers disappointed discontinue disgusting drastically el edge easily earlier each duplicate living drive drain disgusts down double dont done don doesnt do divorce customer currently current charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine coming currency continues creep credit covid courtesy country costs cost continuous continue company continually continously constant consolidating connected compromised competitive compared live loyal ll states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon taste their thats thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions sorry son rising see servicio services service series sense selection seen seems secure settled second scaling scales saving save same rules rule set several something sign someone some so situation single since significant signaling sight shady sick shoves shouldn should short she sharing share there these they we when whats what were went well weeks week way while waste was warrant wants wanted waiting wait vs where who thing would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife virtue value vaccine tired try tried tracking town tooo too told today tipped ut times time tightening tight throughout through think things trying twice two unable using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rotating risen location notified ok often offset offered offer off of now nothing once nonsense nonesence non nice next news newest needed on one my others owning owner own overpriced over outside out our other oneday original or options option opportunity opening opened ontario need must rise your market many manservices making make made luck loyalty lower may lost losing loose looking longer long lol locations married maybe multiple moment much moving moved move more month money monetary mom means mistake mind might merge memberships membership member medical pagos parent parents rates recession recently recent reason really reality re rather rate reduce raises raised raise quickly quality putting put pushed redo reducing passed restriction ripped
Topic 24 | Coherence=-216119.37 | Top words= price and is with more to increases saving can need problem deal continuous be sharing less new constant high dad creep in done hike stopping acceptance paying why ontario access limiting moving location benefit redo membership expensive adding subscriber nothing vs of much right must family first everything goes go even every given give games girl gf getting expected get gas euro going especially gone gonna good got gotten gouging grandkids entertainment great greed greedy entertaining guys enough garbage expenses fix for fixed financially financial finally flat focused fiance few feet hackednot fees feel fee food fault future far fan forcing fair forever forth free fact frequent face from extra extortion fuel hacked her hacking kept keeping keep justify just joint join job jacking itself its it issues issue isnt isn iny intolerable keeps kidding interested kids little limited limit like life letting let lesser legacy left leave learning layoff later last laid lack into instead had horrible history hiking hikes higher emails help health he having havent have has hardly hard happy hand half holder hosehold inflation house increments increasses increasing increased increase income improvements im ill if idea husband hungry huge how households household end youre email elsewhere biggest biden biased biannually bf between better benefits being begin before been becoming because became barely bank back awhile bill billing billings but card cant cannot cancelling canceling cancel bye by business bills buggin budget broke break boyfriend both blindly bit away automatically aunt addresses alarming agree againlater again after afford adicional addtional additional allow addition added activities acct accounts account absurd about all allowed at anticonsumer as aren are apps aparently anyways anymore any another almost annually an amounts amount amercian am also already care cared caring declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death days day daughter date damn cutting cut disgusting divorce customer living else eliminating el edge easily earlier each duplicate due do drive drastically drain down double dont don doesnt customers currently caused cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming current continue currency credit covid courtesy country costs cost continues continually company continously constantly consolidating consider connected compromised competitive compared live loyal ll stealing subscription subscribers sub stupid stranger stopped stop stepdad stay success states starting started start squeeze spouses spouse spending subscriptions summer span than these there their the thats that thanks thank terrible support temporary temporarily taste talk taking take system switching spend sorry rotating seems set servicio services service series sense selection seen see several secure second scaling scales save same run rules settled shady soon significant son something someone some so situation single since signaling share sign sight sick shoves shouldn should short she they thing things we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who think wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will virtue value vaccine today trying try tried tracking town tooo too told tired ut tipped times time tightening tight throughout through this twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rule rising locations notified on ok often offset offered offer off now not one nonsense nonesence non no nice next news newest once oneday needed our pagos owning owner own overpriced over outside out others only other original or options option opportunity opening opened never my risen loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe multiple mom moved move months monthly month money monetary moment mistake me mind might merge memberships members member medical means parent parents passed reactivate reduce rectifying recession recently recent reason really reality re reflect rather rates rate raising raises raised raise quickly reducing rejoin past restriction rise
Topic 25 | Coherence=-221376.52 | Top words= to need of only up prices change keep being wouldn means begin hiking were understand leave enough about re ll cared us high cut what greedy expenses if with this billing when that subscription you just customer date service at unable almost month all help country one per rent increased and no due cheaper my households combine will remarried costs looking retiring must benefits new replace terrible shady tried several games getting gas get even every future euro garbage especially gf gone gotten got end good gonna entertaining going expected goes go given give girl entertainment everything first fuel fee fix financial finally fixed flat fiance gouging focused few food for feet fees feel fault expensive far fan family forcing fair forever fact face extra extortion forth free frequent financially from health grandkids is itself its it issues issue isnt isn iny job intolerable into interested instead inflation increments increasses jacking join increases last lesser less legacy left learning layoff later laid joint lack kids kidding kept keeps keeping justify increasing increase great happy he having havent have has hardly hard hand her half had hacking hackednot hacked guys greed email higher income huge in improvements im ill idea husband hungry how hike household house hosehold horrible holder history hikes emails youre elsewhere been biden biased biannually bf between better benefit before becoming card because became be barely bank back awhile away biggest bill billings bills cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit automatically aunt as agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd againlater alarming aren allow are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already allowed cant care else declined discontinue disappointed direction different differences didnt deteriorated delivering decisions caring death deal days day daughter damn dad cutting disgusting disgusts divorce do eliminating el edge easily earlier each duplicate drive drastically drain down double dont done don letting doesnt customers currently current coming combining college climbing climb city choose choice checking charging charges charged charge changing changes changed cell caused come company currency compared creep credit covid courtesy cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive let loyal life spending stay states starting started start squeeze spouses spouse spend single span sorry soon son something someone some so stealing stepdad stop stopped temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping situation since than rules secure second scaling scales saving save same run rule significant rotating rising risen rise ripped right ridiculous return see seems seen selection signaling sign sight sick shoves shouldn should short she sharing share settled set servicio services series sense temporary thank like warrant went well weeks week we way waste was wants using wanted want waiting wait vs virtue value vaccine whats where while who youll yet years yearly year yall ya would worth workable work wont won without willing wife why ut uses thanks through today tired tipped times time tightening tight throughout think users things thing they these there their the thats told too tooo town used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under two twice trying try tracking retired resume resubscribe newest nothing not nonsense nonesence non nice next news never money needed multiple much moving moved move more months notified now off offer others other original or options option opportunity opening opened ontario oneday once on ok often offset offered monthly monetary restriction long luck loyalty your lower lost losing loose longer lol moment locations location living live little limiting limited limit made make makes making mom mistake mind might merge memberships membership members member medical me maybe may married market many manservices our out outside putting rates rate raising raises raised raise quickly quality put over pushed provider profits profit profiles problem pricing price rather reactivate reality
Topic 26 | Coherence=-216691.67 | Top words= the you price not do every good really are same is rates when thing it higher year but than who keep canceling others your seems nothing added ok daughter with increase opportunity different ridiculous policy increases up at days jacking being rate before payment preemptively support next changes series emails won workable popular double hike and re throughout raises history agree more living system subscriptions greedy profits residence leave company by hungry fuel goes euro going frequent from go free gone give enough future girl garbage given gas get forth especially getting entertainment entertaining gf games far even forever fee fan family feel fees fair feet fact face few gonna extra fiance extortion expensive expenses finally financial financially first fix fixed expected flat focused everything fault for forcing food youre got gotten itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increased income job join joint last lesser less legacy left learning layoff later laid just lack kids kidding kept keeps keeping justify in improvements im had have has end hard happy hand half hacking having hackednot hacked guys greed great grandkids gouging havent he ill house if idea husband huge how households household hosehold health horrible holder hiking hikes high her help hardly dont email begin biden biased biannually bf between better benefits benefit been automatically becoming because became be barely bank back awhile biggest bill billing billings card cant cannot cancelling cancel can bye business buggin budget broke break boyfriend both blindly bit bills away aunt cared addition againlater again after afford adicional addtional addresses additional adding as activities acct accounts account access acceptance absurd about alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost care caring elsewhere death disappointed direction differences didnt deteriorated delivering declined decisions deal current day date damn dad cutting cut customers customer discontinue disgusting disgusts divorce else eliminating el edge easily earlier each duplicate due drive drastically drain down letting done don doesnt currently currency caused checking combining combine college climbing climb city choose choice cheaper creep charging charges charged charge changing changed change cell come coming compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised let loyal life squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger stupid that thanks thank terrible temporary temporarily taste talk taking take switching summer success subscription subscribers subscriber sub someone so return saving sense selection seen see secure second scaling scales save situation run rules rule rotating rising risen rise ripped service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled thats their there warrant went well weeks week we way waste was wants these wanted want waiting wait vs virtue value vaccine were what whats where youll yet years yearly yall ya wouldn would worth work wont without willing will wife why while ut using uses tried town tooo too told today to tired tipped times time tightening tight through this think things they tracking try users trying used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right retiring like my no nice news newest new never needed need must monetary multiple much moving moved move months monthly month non nonesence nonsense notified options option opening opened ontario only oneday one once on often offset offered offer off of now money moment retired long luck loyalty lower lost losing loose looking longer lol mom locations location ll live little limiting limited limit made make makes making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices or original other quality reason reality reactivate rather raising raised raise quickly putting our put pushed provider profit profiles problem pricing prices recent recently recession
Topic 27 | Coherence=-225678.37 | Top words= you to for charge and the re will not no that my sharing more going extra keep kids new in prices greed loose sign if greedy longer fee anyways another college intolerable unfair city thank from worth uses live support again ut im there family cant terrible by parents increase us moved start what an upping got allow amounts huge justify addition can charges some pricing kept how having financial issues won offer learning fees resume gf give goes gone get go given games gouging good future gas getting gotten girl garbage gonna youre fuel every fact face extortion expensive expenses expected everything even fan euro especially entertainment entertaining enough end emails fair far frequent fixed free forth forever forcing food focused flat grandkids fault first financially finally fiance few feet feel fix higher great join jacking itself its it issue isnt isn is iny into interested instead inflation increments increasses job joint guys just letting let lesser less legacy left leave layoff later last laid lack kidding keeps keeping increasing increases increased income help health he havent have has hardly hard happy hand half had hacking hackednot hacked her high elsewhere household improvements ill idea husband hungry households house hike hosehold horrible holder history hiking hikes email doesnt else benefit biggest biden biased biannually bf between better benefits being back begin before been becoming because became be barely bill billing billings bills care card cannot cancelling canceling cancel bye but business buggin budget broke break boyfriend both blindly bit bank awhile caring adding agree againlater after afford adicional addtional addresses additional added away activities acct accounts account access acceptance absurd about alarming all allowed almost automatically aunt at as aren are apps aparently anymore any anticonsumer annually amount amercian am also already cared caused eliminating decisions disappointed direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont done don like do cut customer cell choose compared company coming come combining combine climbing climb choice currently checking cheaper charging charged changing changes changed change competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating life loyal limit spend stay states starting started squeeze spouses spouse spending span significant sorry soon son something someone so situation single stealing stepdad stop stopped temporarily taste talk taking take system switching summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping since signaling than rule second scaling scales saving save same run rules rotating sight rising risen rise ripped right ridiculous return retiring secure see seems seen sick shoves shouldn should short she share shady several settled set servicio services service series sense selection temporary thanks resubscribe waste whats were went well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue when where while who youll yet years yearly year yall ya wouldn would workable work wont without with willing wife why value using thats tight too told today tired tipped times time tightening throughout users through this think things thing they these their tooo town tracking tried used use upward upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying try retired restriction limited news now notified nothing nonsense nonesence non nice next newest monthly never needed need must multiple much moving move of off offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often months month out losing makes make made luck loyalty your lower lost looking money long lol locations location ll living little limiting making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married our outside restrict quickly reactivate rather rates rate raising raises raised raise quality president putting put pushed provider profits profit profiles problem reality really reason recent
Topic 28 | Coherence=-232225.55 | Top words= to your subscriptions greedy you extra not many the also way hikes fan years money charging past over few price share of and we in my are she is one only had with moving need so up fiance consolidating mom passed account boyfriend moved away damn worth going set made before wants lol ll reflect well gas garbage games future get fuel youre getting good greed great grandkids gouging gotten got gonna gf gone from go given give girl goes flat frequent free fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails family far fault fixed forth forever forcing for food focused hacked fix fee first financially financial finally feet fees feel guys high hackednot increments just joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead justify keep keeping learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept inflation increasses hacking increasing hiking hike higher elsewhere her help health he having havent have has hardly hard happy hand half history holder horrible if increases increased increase income improvements im ill idea hosehold husband hungry huge how households household house email down else eliminating biggest biden biased biannually bf between better benefits benefit being begin been becoming because became be barely bank back bill billing billings by card cant cannot cancelling canceling cancel can bye but bills business buggin budget broke break both blindly bit awhile automatically aunt addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts access acceptance absurd about agree all at another as aren apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian am already almost allowed care cared caring death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date dad cutting cut customers disappointed disgusting currently drastically el edge easily earlier each duplicate due drive drain disgusts like double dont done don doesnt do divorce customer current caused checking combining combine college climbing climb city choose choice cheaper coming charges charged charge changing changes changed change cell come company currency continues creep credit covid courtesy country costs cost continuous continue compared continually continously constantly constant consider connected compromised competitive life loyal limit started stopping stopped stop stepdad stealing stay states starting start something squeeze spouses spouse spending spend span sorry soon stranger stupid sub subscriber thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers son someone thats saving selection seen seems see secure second scaling scales save some same run rules rule rotating rising risen rise sense series service services situation single since significant signaling sign sight sick shoves shouldn should short sharing shady several settled servicio that their right warrant whats what were went weeks week waste was wanted uses want waiting wait vs virtue value vaccine ut when where while who youll yet yearly year yall ya wouldn would workable work wont won without willing will wife why using users there tightening tooo too told today tired tipped times time tight used throughout through this think things thing they these town tracking tried try use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ripped ridiculous limited non offered offer off now notified nothing nonsense nonesence no much nice next news newest new never needed must offset often ok on own overpriced outside out our others other original or options option opportunity opening opened ontario oneday once multiple move owning loose making makes make luck loyalty lower lost losing looking more longer long locations location living live little limiting manservices market married may months monthly month monetary moment mistake mind might merge memberships membership members member medical means me maybe owner pagos return rates recently recent reason really reality reactivate re rather rate provider raising raises raised raise quickly quality putting put recession rectifying redo reduce
Topic 29 | Coherence=-210354.67 | Top words= be back to will of need time month payment move end amount when times this ill started about is else going it was learning rotating rather would waste expensive spend something two servicio pagos por short the hikes adicional el soon are increasing financially week many boyfriend things try gouging fuel future grandkids frequent great from gotten goes games got garbage gas good go gonna get gone getting forth gf girl give given free youre forever even fact face extra extortion expenses expected everything every euro forcing especially entertainment entertaining enough emails email elsewhere eliminating fair family fan far for food focused flat fixed fix greedy first financial finally fiance few feet fees feel fee fault greed health guys issues justify just joint join job jacking itself its issue hacked isnt isn iny intolerable into interested instead inflation keep keeping keeps kept limit like life letting let lesser less legacy left leave layoff later last laid lack kids kidding increments increasses increases hike high her help easily he having havent have has hardly hard happy hand half had hacking hackednot higher hiking increased history increase income in improvements im if idea husband hungry huge how households household house hosehold horrible holder edge divorce earlier being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank awhile biggest billing automatically but cant cannot cancelling canceling cancel can bye by business billings buggin budget broke break both blindly bit bills away aunt each addition agree againlater again after afford addtional addresses additional adding all added activities acct accounts account access acceptance absurd alarming allow at another as aren apps aparently anyways anymore any anticonsumer annually allowed and an amounts amercian am also already almost card care cared date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences caring done duplicate due drive drastically drain down double dont don different doesnt do limiting disgusts disgusting discontinue disappointed direction creep credit covid charging college climbing climb city choose choice checking cheaper charges courtesy charged charge changing changes changed change cell caused combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company limited loyal little spending stealing stay states starting start squeeze spouses spouse span stop sorry son someone some so situation single since stepdad stopped than support temporary temporarily taste talk taking take system switching summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger significant signaling sign rising scaling scales saving save same run rules rule risen sight rise ripped right ridiculous return retiring retired resume second secure see seems sick shoves shouldn should she sharing share shady several settled set services service series sense selection seen terrible thank live warrant whats what were went well weeks we way wants while wanted want waiting wait vs virtue value vaccine where who thanks wouldn youll you yet years yearly year yall ya worth why workable work wont won without with willing wife ut using uses throughout tooo too told today tired tipped tightening tight through users think thing they these there their thats that town tracking tried trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice resubscribe restriction restrict news nothing not nonsense nonesence non no nice next newest now new never needed my must multiple much moving notified off restart ontario other original or options option opportunity opening opened only offer oneday one once on ok often offset offered moved more months losing makes make made luck loyalty your lower lost loose monthly looking longer long lol locations location ll living making manservices market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may others our out quality re rates rate raising raises raised raise quickly putting price put pushed provider profits profit profiles problem pricing reactivate reality really reason
Topic 30 | Coherence=-215362.53 | Top words= year after to prices profit profiles starting additional for charge last greedy raising increase is just your and will months cancel got rate increasses offset each far out later back increasing seems subscriptions getting married consolidating hand enough join resume done feet get coming town through creep entertaining garbage gf games future girl entertainment give gas face given go goes fuel going gone gonna good gotten gouging grandkids great greed emails guys end forever from expensive financial finally fiance few fees feel fee financially extortion fault extra fan family fair expenses first frequent euro free forth fact forcing especially food focused hacked even every flat fixed everything expected fix youre hackednot itself kept keeps keeping keep justify joint job jacking its instead it issues issue isnt isn iny intolerable into kidding kids lack laid living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff interested inflation hacking having hikes hike higher high her help health he elsewhere increments havent have has hardly hard happy half had hiking history holder horrible increases increased income in improvements im ill if idea husband hungry huge how households household house hosehold email drive else before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank awhile away biased biggest aunt budget cancelling canceling can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at cant adding agree againlater again afford adicional addtional addresses addition added all activities acct accounts account access acceptance absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost cannot card eliminating days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current drain el edge easily earlier duplicate due location drastically down discontinue double dont don doesnt do divorce disgusts disgusting currently currency care charges climbing climb city choose choice checking cheaper charging charged combine changing changes changed change cell caused caring cared college combining credit continually covid courtesy country costs cost continuous continues continue continously come constantly constant consider connected compromised competitive compared company ll loyal locations lol sub stupid stranger stopping stopped stop stepdad stealing stay states started start squeeze spouses spouse spending spend span sorry subscriber subscribers subscription temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer soon son something second services service series sense selection seen see secure scaling set scales saving save same run rules rule rotating servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady there these they we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who virtue would youll you yet years yearly yall ya wouldn worth why workable work wont won without with willing wife vs value thing tired trying try tried tracking tooo too told today tipped two times time tightening tight throughout this think things twice unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand rising risen rise nonesence offer off of now notified nothing not nonsense non often no nice next news newest new never needed offered ok my options overpriced over outside our others other original or option on opportunity opening opened ontario only oneday one once need must owner made maybe may market many manservices making makes make luck means loyalty lower lost losing loose looking longer long me medical multiple monetary much moving moved move more monthly month money moment member mom mistake mind might merge memberships membership members own owning ripped re rectifying recession recently recent reason really reality reactivate rather reduce rates raises raised raise quickly quality putting put redo reducing provider restart right ridiculous
Topic 31 | Coherence=-218376.37 | Top words= it afford this can now to time at cant anymore right prices job lost but by caused president thanks inflation biden you pay again start my month are other think after vaccine apps increases biannually consider longer entertaining too tight has company interested cannot any due upping hard gouging give girl gf grandkids greedy great getting greed get given gone gotten gonna guys had goes got going hacking hackednot hacked gas good go youre garbage extra feel fee fault far fan family fair fact face extortion games expensive expenses expected everything every even euro especially entertainment fees feet few fiance future fuel from frequent free forth hand forever forcing for food focused flat fixed fix first financially financial finally half hiking happy hardly kids kidding kept keeps keeping keep justify just joint join jacking itself its issues issue isnt isn lack laid last letting live little limiting limited limit like life let later lesser less legacy left leave learning layoff is iny intolerable higher hosehold horrible holder history end hikes hike high household her help health he having havent have house households into in instead increments increasses increasing increased increase income improvements how im ill if idea husband hungry huge enough drain emails benefit billing bill biggest biased bf between better benefits being back begin before been becoming because became be barely billings bills bit blindly change cell caring cared care card cancelling canceling cancel bye business buggin budget broke break boyfriend both bank awhile email adding alarming agree againlater adicional addtional addresses additional addition added away activities acct accounts account access acceptance absurd about all allow allowed almost automatically aunt as aren aparently anyways anticonsumer another annually and an amounts amount amercian am also already changed changes changing delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined charge decisions death deal days day daughter date damn disgusts divorce do doesnt elsewhere else eliminating el edge easily earlier each duplicate drive drastically ll down double dont done don dad cutting cut connected competitive compared coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged compromised consolidating customers constant customer currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly living loyal location squeeze stopped stop stepdad stealing stay states starting started spouses stranger spouse spending spend span sorry soon son something stopping stupid some take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone so thats scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set that the ripped week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why vs would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will wait virtue their tipped try tried tracking town tooo told today tired times twice tightening throughout through things thing they these there trying two value upcoming ut using uses users used use us upward up unable until unneeded unnecessary unfortunately unfair unemployed understand under rise ridiculous locations nonesence offered offer off of notified nothing not nonsense non often no nice next news newest new never needed offset ok must options overpriced over outside out our others original or option on opportunity opening opened ontario only oneday one once need multiple owner made may married market many manservices making makes make luck me loyalty your lower losing loose looking long lol maybe means much moment moving moved move more months monthly money monetary mom medical mistake mind might merge memberships membership members member own owning return rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo provider residence retiring retired
Topic 32 | Coherence=-226948.53 | Top words= and raising are other keep youre kept cheaper reason people gonna im better so services was charge it only you if out now using extra prices charging your that subscription the up keeps going am income fixed just cost but on cannot multiple use down quality have non retired went hardly users get stopped billings membership fee waste less charges high upping joint biggest husband girl getting entertainment grandkids entertaining especially gouging gf expected everything gotten even give given good go goes enough every got euro gone end fuel gas garbage first fact financially financial finally fiance fair few family feet fees feel fault far fan fix greed flat forth games expenses future from frequent free forever focused expensive forcing extortion for face food great he greedy isnt join job jacking itself its issues issue isn increasses is iny intolerable into interested instead inflation justify keeping kidding kids limit like life letting let lesser legacy left leave learning layoff later last laid lack increments increasing guys has higher her help health email having havent hard increases happy hand half had hacking hackednot hacked hike hikes hiking history increased increase in improvements ill idea hungry huge how households household house hosehold horrible holder emails double elsewhere becoming bf between benefits benefit being begin before been because biased became be barely bank back awhile away automatically biannually biden care buggin cant cancelling canceling cancel can bye by business budget bill broke break boyfriend both blindly bit bills billing aunt at as adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed allow card cared else death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting caring drive eliminating el edge easily earlier each duplicate due drastically disgusts drain limiting dont done don doesnt do divorce customers customer currently choose coming come combining combine college climbing climb city choice current checking charged changing changes changed change cell caused company compared competitive compromised currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected limited loyal little spouses stepdad stealing stay states starting started start squeeze spouse stopping spending spend span sorry soon son something someone stop stranger thats take thank than terrible temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub some situation single save seen seems see secure second scaling scales saving same since run rules rule rotating rising risen rise ripped selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thanks their live we where when whats what were well weeks week way who warrant wants wanted want waiting wait vs virtue while why there would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will value vaccine ut tightening too told today to tired tipped times time tight uses throughout through this think things thing they these tooo town tracking tried used us upward upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try right ridiculous return newest nothing not nonsense nonesence no nice next news new of never needed need my must much moving moved notified off retiring opening outside our others original or options option opportunity opened offer ontario oneday one once ok often offset offered move more months losing making makes make made luck loyalty lower lost loose monthly looking longer long lol locations location ll living manservices many market married month money monetary moment mom mistake mind might merge memberships members member medical means me maybe may over overpriced own raises recent really reality reactivate re rather rates rate raised problem raise quickly putting put pushed provider profits profit recently recession rectifying redo
Topic 33 | Coherence=-229526.92 | Top words= my to and price subscription different in increases will have pay the use change is you we where be me ridiculous upcoming fee anticonsumer locations that live two too on cancel want many since service membership restrict mom places won both able addresses people kids don fair phone how provider even reflect wants with users quality upping caused week gouging enough lol opening household feet later need climb sick frequent last from free forth forever forcing for food isnt fuel future games flat laid garbage gas get getting gf lack girl give given go focused few fixed extra left expensive expenses expected everything legacy every euro especially entertainment entertaining end emails email elsewhere extortion face fix leave first financially financial finally fiance going fees feel layoff learning fault far fan family fact goes grandkids gone increase join joint just improvements im ill if idea husband justify hungry keep keeping huge households income increased hosehold job isn issues it iny intolerable into its interested instead itself inflation increments increasses jacking increasing house horrible gonna hardly happy hand half had hacking hackednot hacked guys greedy greed great issue gotten got good hard has holder eliminating history hiking hikes hike keeps higher high kept her kidding help health he having havent else do el been bf between better benefits benefit being begin before becoming biased because became barely bank back awhile away automatically biannually biden cant budget cancelling canceling can bye by but business buggin broke biggest break boyfriend blindly bit bills billings billing bill aunt at as adding againlater again after afford adicional addtional additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any another annually an amounts amount amercian am also already almost allowed cannot card edge daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt direction care down easily earlier each duplicate due drive drastically drain double disappointed dont done doesnt lesser divorce disgusts disgusting discontinue currency creep credit charging combine college climbing city choose choice checking cheaper charges covid charged charge changing changes changed cell caring cared combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared less youre let spend states starting started start squeeze spouses spouse spending span significant sorry soon son something someone some so situation stay stealing stepdad stop taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping stopped single signaling letting rule second scaling scales saving save same run rules rotating sign rising risen rise ripped right return retiring retired secure see seems seen sight shoves shouldn should short she sharing share shady several settled set servicio services series sense selection temporarily temporary terrible warrant what were went well weeks way waste was wanted than waiting wait vs virtue value vaccine ut using whats when while who youll yet years yearly year yall ya wouldn would worth workable work wont without willing wife why uses used us tired times time tightening tight throughout through this think things thing they these there their thats thanks thank tipped today upward told up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try tried tracking town tooo resume resubscribe restriction never nonesence non no nice next news newest new needed original must multiple much moving moved move more months nonsense not nothing notified options option opportunity opened ontario only oneday one once ok often offset offered offer off of now monthly month money luck your lower lost losing loose looking longer long location ll living little limiting limited limit like life loyalty made monetary make moment mistake mind might merge memberships members member medical means maybe may married market manservices making makes or other restart putting rather rates rate raising raises raised raise quickly put others pushed profits profit profiles problem pricing prices president re reactivate reality
Topic 34 | Coherence=-214458.93 | Top words= service customer even your do care customers rate to and garbage increase about you expensive switching others of compared so my horrible raise payment account paying date holder death am better goes waste scales more discontinue loyal keep forever future fuel from frequent free lesser forth forcing less for let letting food focused flat fixed games gas fix gone grandkids gouging gotten got good gonna left going get legacy go given give girl gf getting life first justify everything fact face extra extortion ll expenses expected every family location euro especially entertainment entertaining enough end fair living financially limited financial like finally limit fiance few feet limiting live fees feel fee little fault far fan great greed greedy kidding inflation increments increasses increasing increases increased kept income interested in improvements kids im ill if idea instead into guys its just joint join job jacking itself keeping it intolerable issues issue isnt isn keeps is iny husband hungry huge hand having havent have has hardly hard happy half how had hacking layoff learning leave hackednot hacked email he health help lack households household house hosehold laid last history hiking hikes hike higher high later her emails due elsewhere before biased biannually bf between benefits benefit being begin been biggest becoming because became be barely bank back awhile biden bill automatically buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings away aunt else additional agree againlater again after afford adicional addtional addresses addition all adding added activities acct accounts access acceptance absurd alarming allow at anticonsumer as aren are apps aparently anyways anymore any another allowed annually an amounts amount amercian also already almost cannot cant card days different differences didnt deteriorated delivering declined decisions deal day disappointed daughter damn dad cutting cut currently current currency direction disgusting cared drive eliminating el edge easily earlier each duplicate lol drastically disgusts drain down double dont done don doesnt divorce creep credit covid charges climbing climb city choose choice checking cheaper charging charged courtesy charge changing changes changed change cell caused caring college combine combining come country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive company coming locations youre long rising subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending subscription subscriptions success than these there their the thats that thanks thank terrible summer temporary temporarily taste talk taking take system support spend span sorry see set servicio services series sense selection seen seems secure several second scaling saving save same run rules rule settled shady soon signaling son something someone some situation single since significant sign share sight sick shoves shouldn should short she sharing they thing things week where when whats what were went well weeks we who way was warrant wants wanted want waiting wait while why virtue would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs value think today trying try tried tracking town tooo too told tired two tipped times time tightening tight throughout through this twice unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand rotating risen longer rise ok often offset offered offer off now notified nothing not nonsense nonesence non no nice next news newest new on once one other owning owner own overpriced over outside out our original oneday or options option opportunity opening opened ontario only never needed need makes me maybe may married market many manservices making make medical made luck loyalty lower lost losing loose looking means member must money multiple much moving moved move months monthly month monetary members moment mom mistake mind might merge memberships membership pagos parent parents reality reduce redo rectifying recession recently recent reason really reactivate reflect re rather rates raising raises raised quickly quality reducing rejoin put restriction ripped right
Topic 35 | Coherence=-233611.68 | Top words= using don for it not anymore now money out you people another on more of just even get want have prices continue to squeeze yet subscriptions enough go try up platform spend back increase reducing expenses be at charge subscription service awhile options work way budget thank off we less laid fair will aren focused too moving many happy customers than moment been instead getting temporary one unneeded how feet aparently few household interested currently kids rules free phone charges your apps other im learning goes everything gotten gf got extra extortion good entertaining expensive expected every girl entertainment give given gonna euro especially gone going financially far gas face financial first finally gouging fix fixed fiance flat food forcing forever forth fees frequent from fuel future feel games fee fault garbage fan family fact youre help grandkids itself issues issue isnt isn is iny intolerable into inflation increments increasses increasing increases increased income its jacking great job legacy left leave layoff later last lack kidding kept keeps keeping keep justify joint join in improvements ill if he having havent has hardly hard hand half had hacking hackednot hacked guys greedy greed health emails her hosehold idea husband hungry huge households house horrible high holder history hiking hikes hike higher end doesnt email better billing bill biggest biden biased biannually bf between benefits away benefit being begin before becoming because became barely billings bills bit blindly care card cant cannot cancelling canceling cancel can bye by but business buggin broke break boyfriend both bank automatically caring adding again after afford adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about againlater agree alarming all as are anyways any anticonsumer annually and an amounts amount amercian am also already almost allowed allow cared caused elsewhere declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done let cutting customer cell choose coming come combining combine college climbing climb city choice current checking cheaper charging charged changing changes changed change company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected lesser loyal letting span stay states starting started start spouses spouse spending sorry significant soon son something someone some so situation single stealing stepdad stop stopped terrible temporarily taste talk taking take system switching support summer success subscribers subscriber sub stupid stranger stopping since signaling life rule secure second scaling scales saving save same run rotating sign rising risen rise ripped right ridiculous return retiring see seems seen selection sight sick shoves shouldn should short she sharing share shady several settled set servicio services series sense thanks that thats was whats what were went well weeks week waste warrant the wants wanted waiting wait vs virtue value vaccine when where while who youll years yearly year yall ya wouldn would worth workable wont won without with willing wife why ut uses users tooo today tired tipped times time tightening tight throughout through this think things thing they these there their told town used tracking use us upward upping upcoming until unnecessary unfortunately unfair unemployed understand under unable two twice trying tried retired resume resubscribe need no nice next news newest new never needed my outside must multiple much moved move months monthly month non nonesence nonsense nothing others original or option opportunity opening opened ontario only oneday once ok often offset offered offer notified monetary mom mistake loyalty lost losing loose looking longer long lol locations location ll living live little limiting limited limit like lower luck mind made might merge memberships membership members member medical means me maybe may married market manservices making makes make our over restriction raise reactivate re rather rates rate raising raises raised quickly overpriced quality putting put pushed provider profits profit profiles reality really reason
Topic 36 | Coherence=-225595.15 | Top words= price the not anymore and to me up life expensive your pop nice forcing keeping shoves especially face choice iny months make lost share for in more because is currently so subscriber increases just raising keep have subscription with worth you few has us over letting increase market competitive shouldn pick manservices drive from way edge pushed down ill also going past return at amount wait change tired short made feel ut yall two only getting like garbage gas games future fuel entertainment family entertaining get gf girl euro given enough go goes end gone gonna give everything even frequent fan far fair fact fault fee extra fees feet fiance got finally financial financially first fix fixed extortion flat focused food expenses expected forever every forth free good havent gotten into its it issues issue isnt isn intolerable interested jacking instead inflation increments increasses increasing increased income itself job im last less legacy left leave learning layoff later laid join lack kids kidding kept keeps justify joint improvements if gouging had having email hardly hard happy hand half hacking health hackednot hacked guys greedy greed great grandkids he help idea hosehold husband hungry huge how households household house horrible her holder history hiking hikes hike higher high emails youre elsewhere being biden biased biannually bf between better benefits benefit begin bill before been becoming became be barely bank back biggest billing away business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile automatically else adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aunt another as aren are apps aparently anyways any anticonsumer annually all an amounts amercian am already almost allowed allow cant card care days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed cared drain eliminating el easily earlier each duplicate due drastically double discontinue dont done lesser doesnt do divorce disgusts disgusting current currency creep charging combine college climbing climb city choose checking cheaper charges credit charged charge changing changes changed cell caused caring combining come coming company covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised compared don loyal let squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers sub someone situation limit run see secure second scaling scales saving save same rules single rule rotating rising risen rise ripped right ridiculous seems seen selection sense since significant signaling sign sight sick should she sharing shady several settled set servicio services service series thanks that thats waste whats what were went well weeks week we was their warrant wants wanted want waiting vs virtue value when where while who youll yet years yearly year ya wouldn would workable work wont won without willing will wife why vaccine using uses town too told today tipped times time tightening tight throughout through this think things thing they these there tooo tracking users tried used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try retiring retired resume news now notified nothing nonsense nonesence non no next newest out new never needed need my must multiple much of off offer offered others other original or options option opportunity opening opened ontario oneday one once on ok often offset moving moved move making luck loyalty lower losing loose looking longer long lol locations location ll living live little limiting limited makes many monthly married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may our outside resubscribe raised really reality reactivate re rather rates rate raises raise overpriced quickly quality putting put provider profits profit profiles reason recent recently
 77%|███████▋  | 37/48 [2:16:28<1:01:29, 335.37s/it]
Topic 37 | Coherence=-226092.44 | Top words= price the you it and in just your that months hike as of was like has member time since last gone selection use many moved my span deteriorated drastically pay can see am dont by increase willing ridiculous became is up annually with political signaling stopping virtue got isn budget kidding charging getting card customers rising me something paying garbage especially games entertainment even gas entertaining get future euro girl gf fuel enough end give given go goes going emails gonna good email gotten gouging every frequent everything family financial grandkids fact fair fiance few fan extra far feet fees fault feel fee face financially from for expected free forth expenses forever forcing food extortion focused flat fixed fix expensive first finally having great increased join job jacking itself its issues issue isnt iny intolerable into interested instead inflation increments increasses increasing joint justify keep leave life letting let lesser less legacy left learning keeping layoff later laid lack kids kept keeps increases income greed improvements help health he else havent have hardly hard happy hand half had hacking hackednot hacked guys greedy her high higher how im ill if idea husband hungry huge households hikes household house hosehold horrible holder history hiking elsewhere youre eliminating before biannually bf between better benefits benefit being begin been biden becoming because be barely bank back awhile away biased biggest el buggin cant cannot cancelling canceling cancel bye but business broke bill break boyfriend both blindly bit bills billings billing automatically aunt at adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all are apps aparently anyways anymore any anticonsumer another an amounts amount amercian also already almost allowed allow care cared caring days different differences didnt delivering declined decisions death deal day currency daughter date damn dad cutting cut customer currently direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drain down double done don limited doesnt do divorce disgusts current creep caused checking combining combine college climbing climb city choose choice cheaper credit charges charged charge changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limit loyal limiting start stopped stop stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend sorry soon son someone stranger sub their taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers some so situation run seems secure second scaling scales saving save same rules single rule rotating risen rise ripped right return retiring seen sense series service significant sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thats there little way whats what were went well weeks week we waste where warrant wants wanted want waiting wait vs value when while these would youll yet years yearly year yall ya wouldn worth who workable work wont won without will wife why vaccine ut using times town tooo too told today to tired tipped tightening uses tight throughout through this think things thing they tracking tried try trying users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retired resume resubscribe nice now notified nothing not nonsense nonesence non no next offer news newest new never needed need must multiple off offered restriction opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often much moving move loose makes make made luck loyalty lower lost losing looking more longer long lol locations location ll living live making manservices market married monthly month money monetary moment mom mistake mind might merge memberships membership members medical means maybe may out outside over raised reality reactivate re rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit really reason recent recently
Average topic coherence for the top words is -221647.0908763765
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.26it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.18it/s]
  6%|▌         | 3/50 [00:00<00:09,  5.18it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.19it/s]
 10%|█         | 5/50 [00:00<00:08,  5.14it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.14it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.17it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.16it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.18it/s]
 20%|██        | 10/50 [00:01<00:07,  5.19it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.20it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.18it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.15it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.16it/s]
 30%|███       | 15/50 [00:02<00:06,  5.18it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.17it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.19it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.20it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.19it/s]
 40%|████      | 20/50 [00:03<00:05,  5.22it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.22it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.21it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.21it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.20it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.20it/s]
 52%|█████▏    | 26/50 [00:05<00:04,  5.20it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.20it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.23it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.21it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.21it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.21it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.22it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.25it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.23it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.22it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.23it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.22it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.20it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.17it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.15it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.17it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.17it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.16it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.15it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.17it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.17it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.17it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.17it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.17it/s]
100%|██████████| 50/50 [00:09<00:00,  5.19it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.54it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.46it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.46it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.47it/s]
 10%|█         | 5/50 [00:00<00:06,  6.46it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.44it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.43it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.44it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.44it/s]
 20%|██        | 10/50 [00:01<00:06,  6.41it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.42it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.42it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.43it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.42it/s]
 30%|███       | 15/50 [00:02<00:05,  6.42it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.43it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.46it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.44it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.45it/s]
 40%|████      | 20/50 [00:03<00:04,  6.40it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.40it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.45it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.43it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.39it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.38it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.40it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.40it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.44it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.46it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.44it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.39it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.41it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.42it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.41it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.41it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.42it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.42it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.43it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.43it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.43it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.46it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.46it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.43it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.41it/s]
 90%|█████████ | 45/50 [00:07<00:00,  6.45it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.45it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.44it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.45it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.47it/s]
100%|██████████| 50/50 [00:07<00:00,  6.43it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.48it/s]
  4%|▍         | 2/50 [00:00<00:14,  3.41it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.44it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.43it/s]
 10%|█         | 5/50 [00:01<00:13,  3.44it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.44it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.45it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.46it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.45it/s]
 20%|██        | 10/50 [00:02<00:11,  3.45it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.45it/s]
 24%|██▍       | 12/50 [00:03<00:11,  3.44it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.46it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.44it/s]
 30%|███       | 15/50 [00:04<00:10,  3.44it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.45it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.45it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.46it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.46it/s]
 40%|████      | 20/50 [00:05<00:08,  3.45it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.46it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.45it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.45it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.45it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.45it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.45it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.45it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.44it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.44it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.43it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.44it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.43it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.44it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.46it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.46it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.45it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.46it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.43it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.44it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.44it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.44it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.45it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.45it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.45it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.45it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.45it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.46it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.46it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.46it/s]
100%|██████████| 50/50 [00:14<00:00,  3.45it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.66it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.66it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.66it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.65it/s]
 10%|█         | 5/50 [00:01<00:17,  2.64it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.64it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.65it/s]
 16%|█▌        | 8/50 [00:03<00:15,  2.65it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.64it/s]
 20%|██        | 10/50 [00:03<00:15,  2.65it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.65it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.65it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.65it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.66it/s]
 30%|███       | 15/50 [00:05<00:13,  2.65it/s]
 32%|███▏      | 16/50 [00:06<00:12,  2.66it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.66it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.63it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.64it/s]
 40%|████      | 20/50 [00:07<00:11,  2.62it/s]
 42%|████▏     | 21/50 [00:07<00:11,  2.61it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.63it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.62it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.63it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.64it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.64it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.64it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.64it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.65it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.65it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.66it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.64it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.65it/s]
 68%|██████▊   | 34/50 [00:12<00:06,  2.64it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.65it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.65it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.66it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.65it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.66it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.66it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.66it/s]
 84%|████████▍ | 42/50 [00:15<00:03,  2.66it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.66it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.66it/s]
 90%|█████████ | 45/50 [00:17<00:01,  2.66it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.64it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.64it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.65it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.66it/s]
100%|██████████| 50/50 [00:18<00:00,  2.65it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:28,  1.74it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.75it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.75it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.76it/s]
 10%|█         | 5/50 [00:02<00:25,  1.76it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.75it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.74it/s]
 16%|█▌        | 8/50 [00:04<00:24,  1.75it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.75it/s]
 20%|██        | 10/50 [00:05<00:22,  1.75it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.76it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.75it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.75it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.74it/s]
 30%|███       | 15/50 [00:08<00:20,  1.74it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.74it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.74it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.75it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.75it/s]
 40%|████      | 20/50 [00:11<00:17,  1.75it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.75it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.75it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.75it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.74it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.74it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.74it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.75it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.75it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.75it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.75it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.75it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.75it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.75it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.74it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.74it/s]
 72%|███████▏  | 36/50 [00:20<00:08,  1.74it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.75it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.74it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.74it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.74it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.74it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.74it/s]
 86%|████████▌ | 43/50 [00:24<00:04,  1.74it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.74it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.74it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.75it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.75it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.75it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.75it/s]
100%|██████████| 50/50 [00:28<00:00,  1.75it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.49it/s]
Topic 0 | Coherence=-222917.26 | Top words= subscription my will using back with to prices hacked too be raising constantly elsewhere people another business price you that these take was taking shouldn many platform getting market break from pick drive down manservices are keep competitive awhile for damn mind today offered someone notified lost hard phone yall family increase piracy provider might im charges fix monetary currently acct spouses come married instead reside different one everything this budget agree less go gas given got good give get going gone girl gonna goes gf youre fixed garbage extra fee fault far fan fair fact face extortion fees expensive expenses expected every even euro especially feel feet games food future fuel frequent free forth forever forcing focused few flat gouging first financially financial finally fiance gotten having grandkids job itself its it issues issue isnt isn is iny intolerable into interested inflation increments increasses increasing increases jacking join great joint lesser legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping justify just increased income in improvements help health he entertaining havent have has hardly happy hand half had hacking hackednot guys greedy greed her high higher households ill if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes entertainment double enough being biden biased biannually bf between better benefits benefit begin aunt before been becoming because became barely bank away biggest bill billing billings card cant cannot cancelling canceling cancel can bye by but buggin broke boyfriend both blindly bit bills automatically at cared addition againlater again after afford adicional addtional addresses additional adding as added activities accounts account access acceptance absurd about alarming all allow allowed aren apps aparently anyways anymore any anticonsumer annually and an amounts amount amercian am also already almost care caring end declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions customers death deal days day daughter date dad cutting disgusts divorce do doesnt emails email else eliminating el edge easily earlier each duplicate due drastically drain letting dont done don cut customer caused checking combining combine college climbing climb city choose choice cheaper current charging charged charge changing changes changed change cell coming company compared compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected let loyal life squeeze stop stepdad stealing stay states starting started start spouse situation spending spend span sorry soon son something some stopped stopping stranger stupid thanks thank than terrible temporary temporarily taste talk system switching support summer success subscriptions subscribers subscriber sub so single ridiculous save seen seems see secure second scaling scales saving same since run rules rule rotating rising risen rise ripped selection sense series service significant signaling sign sight sick shoves should short she sharing share shady several settled set servicio services thats the their way whats what were went well weeks week we waste there warrant wants wanted want waiting wait vs virtue when where while who youll yet years yearly year ya wouldn would worth workable work wont won without willing wife why value vaccine ut trying tried tracking town tooo told tired tipped times time tightening tight throughout through think things thing they try twice uses two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable right return like news nothing not nonsense nonesence non no nice next newest move new never needed need must multiple much moving now of off offer others other original or options option opportunity opening opened ontario only oneday once on ok often offset moved more retiring lol loyalty your lower losing loose looking longer long locations months location ll living live little limiting limited limit luck made make makes monthly month money moment mom mistake merge memberships membership members member medical means me maybe may making our out outside rate recent reason really reality reactivate re rather rates raises over raised raise quickly quality putting put pushed profits recently recession rectifying
Topic 1 | Coherence=-232078.00 | Top words= price to worth the not just anymore me currently money for enough you increase up life now have expensive forcing iny choice shoves make especially pop nice keeping raised lost more face subscriber your prices don subscription so with used too fees rules be want is trying go many some in pay system customers it days workable get spend currency rates save issues cheaper right euro keep jacking financial going having squeeze increasing every upward before few agree unfortunately hand gas again what acceptance given give fuel future games garbage expected email goes emails everything end getting even gf from entertaining entertainment girl frequent expenses feet fiance feel finally gone fee financially first fault fix far fixed flat focused fan food family fair fact extra forever forth free extortion youre has gonna inflation issue isnt isn intolerable into interested instead increments itself increasses increases increased income improvements im ill its job idea last less legacy left leave learning layoff later laid join lack kids kidding kept keeps justify joint if husband good hacked hardly hard happy half had hacking hackednot guys havent greedy greed great grandkids gouging gotten got else he hungry holder huge how households household house hosehold horrible history health hiking hikes hike higher high her help elsewhere disgusts eliminating begin biased biannually bf between better benefits benefit being been biggest becoming because became barely bank back awhile away biden bill el buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at addition alarming againlater after afford adicional addtional addresses additional adding as added activities acct accounts account access absurd about all allow allowed almost aren are apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also already cannot cant card deal different differences didnt deteriorated delivering declined decisions death day credit daughter date damn dad cutting cut customer current direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont done doesnt do divorce let creep covid care charged college climbing climb city choose checking charging charges charge courtesy changing changes changed change cell caused caring cared combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company lesser loyal letting spending stealing stay states starting started start spouses spouse span signaling sorry soon son something someone situation single since stepdad stop stopped stopping than terrible temporary temporarily taste talk taking take switching support summer success subscriptions subscribers sub stupid stranger significant sign like rising second scaling scales saving same run rule rotating risen sight rise ripped ridiculous return retiring retired resume resubscribe secure see seems seen sick shouldn should short she sharing share shady several settled set servicio services service series sense selection thank thanks that waste whats were went well weeks week we way was thats warrant wants wanted waiting wait vs virtue value when where while who youll yet years yearly year yall ya wouldn would work wont won without willing will wife why vaccine ut using tooo today tired tipped times time tightening tight throughout through this think things thing they these there their told town uses tracking users use us upping upcoming until unneeded unnecessary unfair unemployed understand under unable two twice try tried restriction restrict restart never nonsense nonesence non no next news newest new needed other need my must multiple much moving moved move nothing notified of off or options option opportunity opening opened ontario only oneday one once on ok often offset offered offer months monthly month made loyalty lower losing loose looking longer long lol locations location ll living live little limiting limited limit luck makes monetary making moment mom mistake mind might merge memberships membership members member medical means maybe may married market manservices original others respect put rather rate raising raises raise quickly quality putting pushed our provider profits profit profiles problem pricing president prescription re reactivate reality
Topic 2 | Coherence=-214801.57 | Top words= to my and subscription different in with be hikes live use won two issues price profiles future both able addresses expected on cancel sharing go payment between boyfriend users subscriptions double service same emails personal phone gf since wants where having opening mom places continue else payday drive next tried switching caused passed focused frequent fix leave fixed fuel from free left forth forever learning flat for food forcing games first garbage gone going goes kids lack laid given last give girl later getting get layoff gas legacy iny financially even extortion expensive expenses life like everything every euro kidding especially entertainment entertaining enough end limit email extra face fact fair financial lesser finally fiance few feet fees feel fee fault let far letting fan family less got gonna im if its idea husband itself hungry huge how households household jacking house hosehold horrible holder ill improvements hiking it into interested instead is inflation isn increments increasses increasing increases increased increase isnt income issue history job good happy half had hacking hackednot hacked keeps kept guys greedy greed great grandkids gouging gotten intolerable hand hard join hardly joint hike higher high just her help health he justify keep havent keeping elsewhere has have dont eliminating becoming bf better benefits benefit being begin before been because biased became barely bank back awhile away automatically aunt biannually biden card buggin cannot cancelling canceling can bye by but business budget biggest broke break blindly bit bills billings billing bill at as aren adding againlater again after afford adicional addtional additional addition added are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cant care el daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt direction cared down edge easily earlier each duplicate due drastically drain limiting disappointed done don doesnt do divorce disgusts disgusting discontinue currency creep credit charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed change cell caring combine combining come coming courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive compared company limited youre little squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger the talk that thanks thank than terrible temporary temporarily taste taking stupid take system support summer success subscribers subscriber sub someone some so save seen seems see secure second scaling scales saving run situation rules rule rotating rising risen rise ripped right selection sense series services single significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio thats their living way whats what were went well weeks week we waste while was warrant wanted want waiting wait vs virtue when who there wouldn youll you yet years yearly year yall ya would why worth workable work wont without willing will wife value vaccine ut tightening tooo too told today tired tipped times time tight using throughout through this think things thing they these town tracking try trying uses used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice ridiculous return retiring newest nothing not nonsense nonesence non no nice news new now never needed need must multiple much moving moved notified of retired ontario others other original or options option opportunity opened only off oneday one once ok often offset offered offer move more months lost making makes make made luck loyalty your lower losing monthly loose looking longer long lol locations location ll manservices many market married month money monetary moment mistake mind might merge memberships membership members member medical means me maybe may our out outside rate recent reason really reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recently recession rectifying redo
Topic 3 | Coherence=-216934.66 | Top words= price the of and your for that out hike are has like selection was lack hikes gone since just months drastically deteriorated prices member span hand in acceptance is getting reality change better financial far services again town offer stopping got stupid unemployed tired others lesser absurd increases annually issues unnecessary expenses changed cutting situation so upping country squeeze news sharing do loyal moment up income fix kidding food kids focused flat fixed laid first forever last financially later finally layoff forcing forth leave keep gf justify get gas garbage games keeping kept future keeps fuel from frequent free learning fiance girl euro expected everything every letting even life especially few entertainment entertaining enough end emails email let expensive less extortion extra face fact fair family fan legacy fault left fee feel fees feet joint give increase interested horrible inflation holder instead history hiking into having higher high her help health intolerable hosehold house increments household households how huge hungry increasses husband idea increasing if ill im improvements increased he havent given jacking its great itself grandkids gouging gotten good have gonna job going goes join go greed greedy guys hacked hackednot hacking had it half issue isnt isn iny happy hard hardly else elsewhere doesnt eliminating begin biden biased biannually bf between benefits benefit being before away been becoming because became be barely bank back biggest bill billing billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills awhile automatically cant additional alarming agree againlater after afford adicional addtional addresses addition aunt adding added activities acct accounts account access about all allow allowed almost at as aren apps aparently anyways anymore any anticonsumer another an amounts amount amercian am also already cannot card el day differences didnt delivering declined decisions death deal days daughter creep date damn dad cut customers customer currently current different direction disappointed discontinue edge easily earlier each duplicate due drive drain down double dont done don limited divorce disgusts disgusting currency credit care charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes cell caused caring cared combine combining come coming courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company limit youre limiting start stopped stop stepdad stealing stay states starting started spouses sub spouse spending spend sorry soon son something someone stranger subscriber there talk thats thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription some single significant rule second scaling scales saving save same run rules rotating signaling rising risen rise ripped right ridiculous return retiring secure see seems seen sign sight sick shoves shouldn should short she share shady several settled set servicio service series sense their these little weeks while where when whats what were went well week why we way waste warrant wants wanted want waiting who wife they wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing wait vs virtue times tried tracking tooo too told today to tipped time value tightening tight throughout through this think things thing try trying twice two vaccine ut using uses users used use us upward upcoming until unneeded unfortunately unfair understand under unable retired resume resubscribe newest nothing not nonsense nonesence non no nice next new now never needed need my must multiple much moving notified off restriction opened our other original or options option opportunity opening ontario offered only oneday one once on ok often offset moved move more loose makes make made luck loyalty lower lost losing looking monthly longer long lol locations location ll living live making manservices many market month money monetary mom mistake mind might merge memberships membership members medical means me maybe may married outside over overpriced raise reactivate re rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles really reason recent recently
Topic 4 | Coherence=-223956.22 | Top words= year seems price you company other or increases after entertaining biannually it far consider ill increasing options are your prices like the has many much too good really every when is not but nothing increase ok added canceling keep pay popular series im tired of raise spending cutting was back started gonna fuel getting future games garbage gas got gouging get going emails gf girl greed great end give gotten given enough from grandkids go goes gone expected frequent fiance even feet fees feel fee fault everything fan family fair fact face extra extortion expensive few finally entertainment financial free forth forever forcing expenses for food focused euro greedy flat fixed fix first financially especially youre guys keeps justify just joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead keeping kept hacked kidding limited limit life letting let lesser less legacy left leave learning layoff later last laid lack kids inflation increments increasses increased high her help health he elsewhere having havent have hardly hard happy hand half had hacking hackednot higher hike hikes huge income in improvements if idea husband hungry how hiking households household house hosehold horrible holder history email drastically else eliminating biden biased bf between better benefits benefit being begin before been becoming because became be barely bank awhile away biggest bill billing business card cant cannot cancelling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at addition agree againlater again afford adicional addtional addresses additional adding all activities acct accounts account access acceptance absurd about alarming allow as annually aren apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost care cared caring death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cut customers disappointed disgusting currently little el edge easily earlier each duplicate due drive drain disgusts down double dont done don doesnt do divorce customer current caused cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming currency continues creep credit covid courtesy country costs cost continuous continue compared continually continously constantly constant consolidating connected compromised competitive limiting loyal live stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting start squeeze spouses spouse spend span sorry subscriber subscription son temporarily their thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success soon something living scaling services service sense selection seen see secure second scales set saving save same run rules rule rotating rising servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady there these they way whats what were went well weeks week we waste while warrant wants wanted want waiting wait vs virtue where who thing worth youll yet years yearly yall ya wouldn would workable why work wont won without with willing will wife value vaccine ut tipped try tried tracking town tooo told today to times using time tightening tight throughout through this think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under risen rise ripped news now notified nonsense nonesence non no nice next newest offer new never needed need my must multiple moving off offered owner opportunity overpriced over outside out our others original option opening offset opened ontario only oneday one once on often moved move more lost manservices making makes make made luck loyalty lower losing months loose looking longer long lol locations location ll market married may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me own owning right rather rectifying recession recently recent reason reality reactivate re rates reduce rate raising raises raised quickly quality putting put redo reducing pagos restart ridiculous
Topic 5 | Coherence=-220944.24 | Top words= to of greedy enough change re being keep up means begin hiking wouldn leave cared understand were ll us you this if high only that about when what prices need billing with date at customer country service my unable all help no every opportunity support won payment new move moving redo due anymore ontario switching feet membership other starting changes continously increasses buggin sick expected girl everything give gf expenses given go goes even entertainment going euro especially getting entertaining gone end gonna good got gotten gouging grandkids great greed expensive financially get fiance forth fees forever few forcing for food fee focused flat finally financial fixed fix feel fault gas future first garbage extra games face fact fuel far from fair frequent family free fan extortion youre guys isnt job jacking itself its it issues issue isn joint is iny intolerable into interested instead inflation join just increasing later let lesser less legacy left learning layoff last justify laid lack kids kidding kept keeps keeping increments increases hacked has higher her emails he having havent have hardly hikes hard happy hand half had hacking hackednot hike history increased husband increase income in improvements im ill idea hungry holder huge how households household house hosehold horrible health done email been biased biannually bf between better benefits benefit before becoming biggest because became be barely bank back awhile away biden bill elsewhere but cant cannot cancelling canceling cancel can bye by business billings budget broke break boyfriend both blindly bit bills automatically aunt as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account access acceptance absurd agree alarming allow allowed are apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also already almost card care caring declined discontinue disappointed direction different differences didnt deteriorated delivering decisions customers death deal days day daughter damn dad cutting disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate drive drastically drain down double dont life don doesnt cut currently caused choice come combining combine college climbing climb city choose checking current cheaper charging charges charged charge changing changed cell coming company compared competitive currency creep credit covid courtesy costs cost continuous continues continue continually constantly constant consolidating consider connected compromised letting loyal like spending stealing stay states started start squeeze spouses spouse spend single span sorry soon son something someone some so stepdad stop stopped stopping terrible temporary temporarily taste talk taking take system summer success subscriptions subscription subscribers subscriber sub stupid stranger situation since thank run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped right ridiculous seems seen selection sense signaling sign sight shoves shouldn should short she sharing share shady several settled set servicio services series than thanks retiring warrant went well weeks week we way waste was wants using wanted want waiting wait vs virtue value vaccine whats where while who youll yet years yearly year yall ya would worth workable work wont without willing will wife why ut uses thats throughout told today tired tipped times time tightening tight through users think things thing they these there their the too tooo town tracking used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under two twice trying try tried return retired limit news notified nothing not nonsense nonesence non nice next newest month never needed must multiple much moved more months now off offer offered outside out our others original or options option opening opened oneday one once on ok often offset monthly money overpriced longer luck loyalty your lower lost losing loose looking long monetary lol locations location living live little limiting limited made make makes making moment mom mistake mind might merge memberships members member medical me maybe may married market many manservices over own resume raised really reality reactivate rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 6 | Coherence=-211010.83 | Top words= my pay to it is subscription that just was not have after do because so compromised ill card bill but allowed credit told charged bank automatically wanted option without an fault think customers until day other anymore waiting stay changes declined get done fix services putting great gf had gas greed getting grandkids gotten go girl give gouging given hacking got hackednot goes going greedy gone garbage hacked gonna good guys youre games future far fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough fee feel fees food fuel from frequent free forth forever half for focused feet flat fixed first financially financial finally fiance few forcing help hand join kids kidding kept keeps keeping keep justify joint job happy jacking itself its issues issue isnt isn iny lack laid last later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff intolerable into interested house horrible holder history hiking hikes hike higher high her emails health he having havent has hardly hard hosehold household instead households inflation increments increasses increasing increases increased increase income in improvements im if idea husband hungry huge how end dont email begin biased biannually bf between better benefits benefit being before care been becoming became be barely back awhile away biden biggest billing billings cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills aunt at as agree again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming aren all are apps aparently anyways any anticonsumer another annually and amounts amount amercian am also already almost allow cant cared elsewhere death disappointed direction different differences didnt deteriorated delivering decisions deal caring days daughter date damn dad cutting cut customer discontinue disgusting disgusts divorce else eliminating el edge easily earlier each duplicate due drive drastically drain down double location don doesnt currently current currency come combine college climbing climb city choose choice checking cheaper charging charges charge changing changed change cell caused combining coming creep company covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected competitive compared ll loyal locations lol stopped stop stepdad stealing states starting started start squeeze spouses spouse spending spend span sorry soon son something someone stopping stranger stupid taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some situation single same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense since short significant signaling sign sight sick shoves shouldn should she series sharing share shady several settled set servicio service thats the their week where when whats what were went well weeks we who way waste warrant wants want wait vs virtue while why vaccine wouldn youll you yet years yearly year yall ya would wife worth workable work wont won with willing will value ut there time tracking town tooo too today tired tipped times tightening try tight throughout through this things thing they these tried trying using up uses users used use us upward upping upcoming unneeded twice unnecessary unfortunately unfair unemployed understand under unable two ridiculous return retiring no off of now notified nothing nonsense nonesence non nice offered next news newest new never needed need must offer offset much opportunity over outside out our others original or options opening often opened ontario only oneday one once on ok multiple moving own luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced owner retired raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality put pushed provider profits recent recession profiles repurposing resume resubscribe
Topic 7 | Coherence=-212013.92 | Top words= subscriptions in with need moved only one time other two dont house we so significant boyfriend of financially some hard cancel amount stop short stepdad better long our users multiple health household summer activities remarried recently increasing not agree policy apps same getting given entertainment give girl gf great especially greedy euro get gas even guys entertaining go grandkids greed gouging elsewhere gotten got email emails end goes good gonna enough gone going garbage every far games focused fair flat fixed fix first family financial finally fiance few feet fees feel fee fault fact face future food fan everything expected fuel expenses from frequent expensive free forth forever extortion forcing extra for youre havent hacked itself keeping keep justify just joint join job jacking its hackednot it issues issue isnt isn is iny intolerable keeps kept kidding kids limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack into interested instead history hikes hike higher high her help he having eliminating have has hardly happy hand half had hacking hiking holder inflation horrible increments increasses increases increased increase income improvements im ill if idea husband hungry huge how households hosehold else double el edge biden biased biannually bf between benefits benefit being begin before been becoming because became be barely bank back awhile biggest bill billing but card cant cannot cancelling canceling can bye by business billings buggin budget broke break both blindly bit bills away automatically aunt addition againlater again after afford adicional addtional addresses additional adding all added acct accounts account access acceptance absurd about alarming allow at another as aren are aparently anyways anymore any anticonsumer annually allowed and an amounts amercian am also already almost care cared caring day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency down easily earlier each duplicate due drive drastically drain little disappointed done don doesnt do divorce disgusts disgusting discontinue current creep caused cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared limiting loyal live starting sub stupid stranger stopping stopped stealing stay states started subscribers start squeeze spouses spouse spending spend span sorry subscriber subscription son terrible there their the thats that thanks thank than temporary success temporarily taste talk taking take system switching support soon something living saving selection seen seems see secure second scaling scales save series run rules rule rotating rising risen rise ripped sense service someone shouldn situation single since signaling sign sight sick shoves should services she sharing share shady several settled set servicio these they thing week where when whats what were went well weeks way who waste was warrant wants wanted want waiting wait while why things wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vs virtue value to try tried tracking town tooo too told today tired vaccine tipped times tightening tight throughout through this think trying twice unable under ut using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand right ridiculous return next now notified nothing nonsense nonesence non no nice news offer newest new never needed my must much moving off offered owner option overpriced over outside out others original or options opportunity offset opening opened ontario oneday once on ok often move more months lower manservices making makes make made luck loyalty your lost monthly losing loose looking longer lol locations location ll many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe own owning retiring raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recession pagos reside retired
Topic 8 | Coherence=-216816.83 | Top words= the subscription my on for now are your rates wife who will going than thing others higher same do and through married divorce got as be own left courtesy getting her we later thank accounts another share moving has combining temporarily subscriptions phone spend cancelling im spending expensive rejoin declined husband want of workable shouldn get date given replace remarried fix fixed flat first forever financially legacy focused food leave forcing financial learning intolerable forth free goes go laid last give girl gf layoff gas garbage games future fuel from finally frequent feet fiance few expected everything life every even euro especially entertainment entertaining enough end emails email elsewhere else letting let expenses fan kids fees feel fee fault far family lesser less fair fact face extra extortion lack gonna gone hosehold idea hungry huge how households household house horrible into holder history hiking hikes hike issues it if ill issue isnt iny interested instead inflation increments increasses increasing increases increased is increase isn income in improvements high its itself had hacking hackednot keeping keeps hacked guys greedy kept greed great grandkids gouging gotten kidding good keep half jacking hand help health he job having havent join joint just have eliminating justify hardly hard happy youre don el begin biased biannually bf between better benefits benefit being before automatically been becoming because became barely bank back awhile biden biggest bill billing canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills billings away aunt cant addition againlater again after afford adicional addtional addresses additional adding at added activities acct account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed cannot card edge daughter didnt deteriorated delivering decisions death deal days day damn credit dad cutting cut customers customer currently current currency differences different direction disappointed easily earlier each duplicate due drive drastically drain down double dont done limit doesnt disgusts disgusting discontinue creep covid care charged climb city choose choice checking cheaper charging charges charge country changing changes changed change cell caused caring cared climbing college combine come costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming like loyal limited spouses stepdad stealing stay states starting started start squeeze spouse stopped span sorry soon son something someone some so stop stopping retired take thats that thanks terrible temporary taste talk taking system stranger switching support summer success subscribers subscriber sub stupid situation single since rules see secure second scaling scales saving save run rule significant rotating rising risen rise ripped right ridiculous return seems seen selection sense signaling sign sight sick shoves should short she sharing shady several settled set servicio services service series their there these waste whats what were went well weeks week way was ut warrant wants wanted waiting wait vs virtue value when where while why youll you yet years yearly year yall ya wouldn would worth work wont won without with willing vaccine using they tired tried tracking town tooo too told today to tipped uses times time tightening tight throughout this think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring resume limiting new nonsense nonesence non no nice next news newest never nothing needed need must multiple much moved move more not notified resubscribe ontario other original or options option opportunity opening opened only off oneday one once ok often offset offered offer months monthly month looking make made luck loyalty lower lost losing loose longer money long lol locations location ll living live little makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may market our out outside quality re rather rate raising raises raised raise quickly putting price put pushed provider profits profit profiles problem pricing reactivate reality really reason
Topic 9 | Coherence=-235061.66 | Top words= for youre people keep are you that charging gonna raising kept cheaper reason better extra im only services out so and now if charge prices using was your it sharing the pay subscription to just want guys because family from something they subscriptions stop with won more card declined disgusting when dad can break take saving raised yearly rise anymore caring prefer system up dont expensive will girl addresses gf garbage getting get games given addtional future gas give aparently go goes half had hacking hackednot hacked adding greedy greed great grandkids gouging addition gotten got good additional going gone forever fuel fact fee fault far afford fan after fair face frequent again extortion expenses expected everything every even feel fees feet few free forth hand forcing adicional food focused flat fixed fix first financially financial finally fiance added have happy increments joint join job jacking itself its access issues issue isnt isn is iny intolerable into interested instead justify acceptance keeping layoff let lesser less legacy left leave learning later absurd last laid lack kids kidding about keeps inflation increasses hard increasing holder history hiking hikes hike higher high her activities help health he having havent euro has hardly horrible hosehold house accounts increases increased increase income in account improvements ill household acct idea husband hungry huge how households againlater emails especially cancelling amount caused cared care amounts cant cannot canceling cell cancel bye by an but annually business amercian change budget checking combine college climbing climb city choose choice almost changed already charges also charged am changing changes buggin another entertainment back before been becoming became be barely bank awhile being away automatically aunt at as aren anyways begin benefit broke bill boyfriend both blindly bit bills billings billing biggest benefits biden anticonsumer biased biannually bf between any combining come coming discontinue done don doesnt do divorce disgusts life disappointed down direction different differences didnt deteriorated delivering agree double drain company eliminating entertaining enough end apps email elsewhere else el drastically edge easily earlier each duplicate due drive decisions death deal constant cost continuous continues continue continually continously constantly consolidating days consider connected allow compromised competitive allowed compared costs country all courtesy day daughter date damn cutting cut customers customer currently alarming current currency creep credit covid letting loyal like span starting started start squeeze spouses spouse spending spend sorry sign soon son someone some situation single since significant states stay stealing stepdad terrible temporary temporarily taste talk taking switching support summer success subscribers subscriber sub stupid stranger stopping stopped signaling sight thank risen scales save same run rules rule rotating rising ripped sick right ridiculous return retiring retired resume resubscribe restriction scaling second secure see shoves shouldn should short she share shady several settled set servicio service series sense selection seen seems than thanks restart warrant were went well weeks week we way waste wants users wanted waiting wait vs virtue value vaccine ut what whats where while youll yet years year yall ya wouldn would worth workable work wont without willing wife why who uses used thats tight too told today tired tipped times time tightening throughout use through this think things thing these there their tooo town tracking tried us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try restrict respect limit my nice next news newest new never needed need must monetary multiple much moving moved move months monthly month no non nonesence nonsense opening opened ontario oneday one once on ok often offset offered offer off of notified nothing not money moment option long luck loyalty lower lost losing loose looking longer lol mom locations location ll living live little limiting limited made make makes making mistake mind might merge memberships membership members member medical means me maybe may married market many manservices opportunity options residence provider rate raises raise quickly quality putting put pushed profits possible profit profiles problem pricing price president prescription preemptively rates rather re reactivate
Topic 10 | Coherence=-226965.32 | Top words= of you the charging extra share because with many hikes out my me too keep cant past without fan greedy few over newest prices also way hike your years grandkids raising upping by huge amounts money work at it moment budget nonesence wont temporary support benefits nonsense ll moving won guys months using we financially goes gonna gone expenses going expected entertaining good go given far give girl gf expensive enough got getting gotten gouging great family end greed fair extortion hacked hackednot emails hacking email entertainment get financial flat forcing fees for feet food focused had fault fixed fix every fiance first finally feel even forever forth free fact frequent euro especially from fuel future games garbage fee everything gas face youre half issues just joint join job jacking itself its issue keeping isnt isn is iny intolerable into interested justify keeps inflation leave life letting let lesser less legacy left learning kept layoff later last laid lack kids kidding instead increments hand health history hiking else higher high her help he horrible having havent have has hardly hard happy holder hosehold increasses im increasing increases increased increase income in improvements ill house if idea husband hungry how households household elsewhere double eliminating el biden biased biannually bf between better benefit being begin before been becoming became be barely bank back awhile away biggest bill billing but care card cannot cancelling canceling cancel can bye business billings buggin broke break boyfriend both blindly bit bills automatically aunt as adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another and all an amount amercian am already almost allowed allow cared caring caused deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drain edge easily earlier each duplicate due drive drastically down disgusting limit dont done don doesnt do divorce disgusts customer current cell choice come combining combine college climbing climb city choose checking company cheaper charges charged charge changing changes changed change coming compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised like loyal limited spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped limiting switching than terrible temporarily taste talk taking take system summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger so situation single save seen seems see secure second scaling scales saving same since run rules rule rotating rising risen rise ripped selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services thank thanks that wanted went well weeks week waste was warrant wants want used waiting wait vs virtue value vaccine ut uses were what whats when youll yet yearly year yall ya wouldn would worth workable willing will wife why who while where users use thats throughout today to tired tipped times time tightening tight through us this think things thing they these there their told tooo town tracking upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried right ridiculous return non offset offered offer off now notified nothing not no much nice next news new never needed need must often ok on once own overpriced outside our others other original or options option opportunity opening opened ontario only oneday one multiple moved owning loose makes make made luck loyalty lower lost losing looking move longer long lol locations location living live little making manservices market married more monthly month monetary mom mistake mind might merge memberships membership members member medical means maybe may owner pagos retiring rates recently recent reason really reality reactivate re rather rate profits raises raised raise quickly quality putting put pushed recession rectifying redo reduce
Topic 11 | Coherence=-218176.62 | Top words= back be will need can to of month and just money break on when taking ll got ill cut end laid payment expenses we move off bit saving almost per rent increased time payday deal else rotating something next feet repurposing get own summer divorce soon broke join week subscriptions now later layoff problem combining raising cost currently getting games especially gas garbage entertainment euro family gf girl give given go future going gone gonna good entertaining enough gotten gouging grandkids goes from even every extra face financially financial fact fair finally fiance few fees feel fee fault far fan first fix extortion everything fuel frequent free forth forever forcing expected greed for food focused expensive flat fixed great youre greedy joint jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses job justify increases keep like life letting let lesser less legacy left leave learning last lack kids kidding kept keeps keeping increasing increase guys higher her help health he having emails have has hardly hard happy hand half had hacking hackednot hacked high hike income hikes in improvements im if idea husband hungry huge how households household house hosehold horrible holder history hiking havent drain email been bf between better benefits benefit being begin before becoming biased because became barely bank awhile away automatically aunt biannually biden care business cant cannot cancelling canceling cancel bye by but buggin biggest budget boyfriend both blindly bills billings billing bill at as aren adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already allowed allow card cared elsewhere death direction different differences didnt deteriorated delivering declined decisions days discontinue day daughter date damn dad cutting customers customer disappointed disgusting caring drive eliminating el edge easily earlier each duplicate due drastically disgusts limited down double dont done don doesnt do current currency creep charging college climbing climb city choose choice checking cheaper charges credit charged charge changing changes changed change cell caused combine come coming company covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limit loyal limiting starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber these temporary their the thats that thanks thank than terrible temporarily subscribers taste talk take system switching support success subscription son someone some second service series sense selection seen seems see secure scaling so scales save same run rules rule rising risen services servicio set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several there they little waste where whats what were went well weeks way was who warrant wants wanted want waiting wait vs virtue while why thing wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing value vaccine ut tired try tried tracking town tooo too told today tipped using times tightening tight throughout through this think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped right news notified nothing not nonsense nonesence non no nice newest offered new never needed my must multiple much moving offer offset ridiculous option outside out our others other original or options opportunity often opening opened ontario only oneday one once ok moved more months losing makes make made luck loyalty your lower lost loose monthly looking longer long lol locations location living live making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married over overpriced owner rates recently recent reason really reality reactivate re rather rate profits raises raised raise quickly quality putting put pushed recession rectifying redo reduce
Topic 12 | Coherence=-223253.61 | Top words= you about and don paying extra money subscription increase when family bill of share using the outside want like my states power limit that news idea with service what through provider am hosehold horrible getting connected agree already away customer cant its passed cell aunt seen offered get cut increases learning person way gouging grandkids great games future fuel greed garbage gonna gas gotten gf girl give given got go good from goes going gone youre flat frequent everything fan fair fact face extortion expensive expenses expected every free even euro especially entertainment entertaining enough end emails far fault fee feel forth forever forcing for food focused guys fixed fix first financially financial finally fiance few feet fees greedy he hacked keeping justify just joint join job jacking itself it issues issue isnt isn is iny intolerable into interested keep keeps hackednot kept limiting limited life letting let lesser less legacy left leave layoff later last laid lack kids kidding instead inflation increments increasses higher high her help health elsewhere having havent have has hardly hard happy hand half had hacking hike hikes hiking if increasing increased income in improvements im ill husband history hungry huge how households household house holder email dont else being biden biased biannually bf between better benefits benefit begin billing before been becoming because became be barely bank biggest billings eliminating but card cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit back awhile automatically addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd alarming all allow allowed as aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also almost care cared caring death direction different differences didnt deteriorated delivering declined decisions deal current days day daughter date damn dad cutting customers disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double live done doesnt do divorce currently currency caused checking combining combine college climbing climb city choose choice cheaper creep charging charges charged charge changing changes changed change come coming company compared credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider compromised competitive little loyal living squeeze stopped stop stepdad stealing stay starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber someone so ll same seems see secure second scaling scales saving save run sense rules rule rotating rising risen rise ripped right selection series situation shouldn single since significant signaling sign sight sick shoves should services short she sharing shady several settled set servicio thats their there was whats were went well weeks week we waste warrant while wants wanted waiting wait vs virtue value vaccine where who these would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife ut uses users times town tooo too told today to tired tipped time used tightening tight throughout this think things thing they tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous return retiring next notified nothing not nonsense nonesence non no nice newest off new never needed need must multiple much moving now offer over opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moved move more lower manservices making makes make made luck loyalty your lost months losing loose looking longer long lol locations location many market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe out overpriced retired raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed profits recent recession own repurposing resume
Topic 13 | Coherence=-224197.37 | Top words= it afford this to time at can now not when anymore are cant job is but using right you business doesnt sense resubscribe way make making well decisions going dont and too lost pay amount my think times don that thanks caused by guys am be inflation started about willing was biden president increase high budget spending happy out month start longer due again any interested cannot apps vaccine politically upping just has biased tight the fixed possible membership goes girl everything garbage great gas get grandkids every getting even gf euro gone gouging gotten got give given good especially go gonna expected games forth expenses finally flat fix fan greed financially financial fiance expensive few far fault feet fees feel family focused food fair fact for forcing forever fee free face frequent from fuel extra extortion future first youre greedy isn join jacking itself its issues issue isnt iny hacked intolerable into instead increments increasses increasing increases joint justify keep keeping lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increased income in hikes higher her help health he having havent have hardly hard hand half had hacking hackednot hike hiking improvements entertaining im ill if idea husband hungry huge how households household house hosehold horrible holder history entertainment disgusts enough bit billings billing bill biggest biannually bf between better benefits benefit being begin before been becoming because became bills blindly end both changing changes changed change cell caring cared care card cancelling canceling cancel bye buggin broke break boyfriend barely bank back awhile agree againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd alarming all allow anticonsumer away automatically aunt as aren aparently anyways another allowed annually an amounts amercian also already almost charge charged charges cutting disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined death deal days day daughter date damn letting divorce do easily emails email elsewhere else eliminating el edge earlier done each duplicate drive drastically drain down double dad cut charging customers connected compromised competitive compared company coming come combining combine college climbing climb city choose choice checking cheaper consider consolidating constant courtesy customer currently current currency creep credit covid country constantly costs cost continuous continues continue continually continously let loyal life son starting squeeze spouses spouse spend span sorry soon something sight someone some so situation single since significant signaling states stay stealing stepdad taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped stop sign sick taste rising scales saving save same run rules rule rotating risen shoves rise ripped ridiculous return retiring retired resume restriction scaling second secure see shouldn should short she sharing share shady several settled set servicio services service series selection seen seems talk temporarily like waste where whats what were went weeks week we warrant uses wants wanted want waiting wait vs virtue value while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with will ut users temporary things tooo told today tired tipped tightening throughout through thing used they these there their thats thank than terrible town tracking tried try use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying restrict restart respect new nonsense nonesence non no nice next news newest never months needed need must multiple much moving moved move nothing notified of off or options option opportunity opening opened ontario only oneday one once on ok often offset offered offer more monthly residence lol luck loyalty your lower losing loose looking long locations money location ll living live little limiting limited limit made makes manservices many monetary moment mom mistake mind might merge memberships members member medical means me maybe may married market original other others putting rates rate raising raises raised raise quickly quality put our pushed provider profits profit profiles problem pricing prices rather re reactivate
Topic 14 | Coherence=-215334.56 | Top words= will you to the cancel me greed your fee new year loose from that two mom places more sharing want in membership for live since restrict rate different offset each months increasses later resume week afford guys games greedy future fuel forever frequent free forth hacked forcing great gonna grandkids girl good going goes go given give gf garbage getting got gotten get gas gone gouging finally food entertainment expensive expenses expected everything every even euro especially entertaining focused enough end emails email elsewhere else eliminating el extortion extra face fact flat fixed fix first financially financial hacking fiance few feet fees feel fault far fan family fair hackednot health had jacking keeps keeping keep justify just joint join job itself into its it issues issue isnt isn is iny kept kidding kids lack little limiting limited limit like life letting let lesser less legacy left leave learning layoff last laid intolerable interested half help holder history hiking hikes hike higher high her he instead having havent have has hardly hard happy hand horrible hosehold house household inflation increments increasing increases increased increase income improvements im ill if idea husband hungry huge how households edge youre easily at bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biannually biased biden broke canceling can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as earlier aren agree againlater again after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about alarming all allow annually are apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost cancelling cannot cant card declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current currency creep credit delivering deteriorated didnt done duplicate due drive living drain down double dont don differences doesnt do divorce disgusts disgusting discontinue disappointed direction covid courtesy country charge city choose choice checking cheaper charging charges charged changing climbing changes changed change cell caused caring cared care climb college costs consolidating cost continuous continues continue continually continously constantly constant consider combine connected compromised competitive compared company coming come combining drastically loyal ll starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son talk thats thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription soon something rise scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio someone sick some so situation single significant signaling sign sight shoves set shouldn should short she share shady several settled their there these waste whats what were went well weeks we way was where warrant wants wanted waiting wait vs virtue value when while they worth youll yet years yearly yall ya wouldn would workable who work wont won without with willing wife why vaccine ut using times tracking town tooo too told today tired tipped time uses tightening tight throughout through this think things thing tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable risen ripped location nothing ok often offered offer off of now notified not once nonsense nonesence non no nice next news newest on one needed other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only never need right luck married market many manservices making makes make made loyalty maybe lower lost losing looking longer long lol locations may means my money must multiple much moving moved move monthly month monetary medical moment mistake mind might merge memberships members member owning pagos parent rates recently recent reason really reality reactivate re rather raising rectifying raises raised raise quickly quality putting put pushed recession redo parents residence ridiculous
Topic 15 | Coherence=-226054.30 | Top words= and sharing price you increase of charges your terrible addition pricing keep prices the subscription customers is garbage service increasing rate greedy customer even do care bye hike talk limited recent about not people fees using canceling raising living before preemptively really next reality added change increases lack fault with daughter happy made constantly changing blindly waste cost why monthly should history cancel raise from manservices worth girl extortion get grandkids fair getting gouging gf gone gotten give given go fact got goes good extra euro going gonna gas expensive family fan few feet expenses finally financial financially feel first fix fee great fixed flat focused food for expected forcing face everything far forever forth free frequent every fiance future games fuel youre greed justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation just keeping guys keeps like life letting let lesser less legacy left leave learning layoff later last laid kids kidding kept increments increasses increased income her help health he having entertainment havent have has hardly hard hand half had hacking hackednot hacked high higher hikes hungry in improvements im ill if idea husband huge hiking how households household house hosehold horrible holder especially drastically entertaining been biannually bf between better benefits benefit being begin becoming biden because became be barely bank back awhile away biased biggest enough buggin card cant cannot cancelling can by but business budget bill broke break boyfriend both bit bills billings billing automatically aunt at addresses alarming agree againlater again after afford adicional addtional additional as adding activities acct accounts account access acceptance absurd all allow allowed almost aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already cared caring caused didnt divorce disgusts disgusting discontinue disappointed direction different differences deteriorated dad delivering declined decisions death deal days day date doesnt don done dont end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drain down double damn cutting cell city company coming come combining combine college climbing climb choose cut choice checking cheaper charging charged charge changes changed compared competitive compromised connected currently current currency creep credit covid courtesy country costs continuous continues continue continually continously constant consolidating consider limit loyal limiting starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber rise temporarily there their thats that thanks thank than temporary taste subscribers taking take system switching support summer success subscriptions soon son something scaling series sense selection seen seems see secure second scales someone saving save same run rules rule rotating rising services servicio set settled some so situation single since significant signaling sign sight sick shoves shouldn short she share shady several these they thing way whats what were went well weeks week we was vaccine warrant wants wanted want waiting wait vs virtue when where while who youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife value ut things tired tried tracking town tooo too told today to tipped uses times time tightening tight throughout through this think try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable risen ripped little news now notified nothing nonsense nonesence non no nice newest offer new never needed need my must multiple much off offered right opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moving moved move losing many making makes make luck loyalty lower lost loose more looking longer long lol locations location ll live market married may maybe months month money monetary moment mom mistake mind might merge memberships membership members member medical means me out outside over rates redo rectifying recession recently reason reactivate re rather raises profiles raised quickly quality putting put pushed provider profits reduce reducing reflect rejoin
Topic 16 | Coherence=-231916.00 | Top words= the price you to is not my increase can it in for use money time with as are just months many last willing more deal now moved pay charge see raising by options have am support new problem great something was made paying outside cost using saving continuous increases coming play summer damn raise pleased policies continues justify biggest higher re waste hungry thanks how continue their stupid warrant thank biased luck workable give even going future euro goes go given enough gas garbage especially entertaining entertainment girl gf fuel getting get games far forcing from few financially fact financial fair finally fiance feet extra fees family feel fee fan fault face extortion frequent food every free forth forever everything expected focused first expenses flat fixed expensive fix gonna gone youre good interested issues issue isnt isn iny intolerable into instead itself inflation increments increasses increasing increased income improvements its jacking ill lack legacy left leave learning layoff later laid kids job kidding kept keeps keeping keep joint join im if got hacking has hardly hard happy hand half had hackednot havent hacked guys greedy greed grandkids gouging gotten emails having idea holder husband huge households household house hosehold horrible history he hiking hikes hike high her help health end done email becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biden card budget cannot cancelling canceling cancel bye but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at aren adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost allowed allow cant care elsewhere declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death days day daughter date dad cutting cut disgusting divorce cared due else eliminating el edge easily earlier each duplicate drive do drastically drain down double dont lesser don doesnt customers customer currently charging college climbing climb city choose choice checking cheaper charges current charged changing changes changed change cell caused caring combine combining come company currency creep credit covid courtesy country costs continually continously constantly constant consolidating consider connected compromised competitive compared less loyal let spending stay states starting started start squeeze spouses spouse spend that span sorry soon son someone some so situation stealing stepdad stop stopped terrible temporary temporarily taste talk taking take system switching success subscriptions subscription subscribers subscriber sub stranger stopping single since significant selection seems secure second scaling scales save same run rules rule rotating rising risen rise ripped right ridiculous seen sense signaling series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service than thats retiring way whats what were went well weeks week we wants there wanted want waiting wait vs virtue value vaccine when where while who youll yet years yearly year yall ya wouldn would worth work wont won without will wife why ut uses users tracking tooo too told today tired tipped times tightening tight throughout through this think things thing they these town tried used try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying return retired letting needed nonesence non no nice next news newest never need other must multiple much moving move monthly month monetary nonsense nothing notified of or option opportunity opening opened ontario only oneday one once on ok often offset offered offer off moment mom mistake lower losing loose looking longer long lol locations location ll living live little limiting limited limit like life lost your mind loyalty might merge memberships membership members member medical means me maybe may married market manservices making makes make original others resume raised reason really reality reactivate rather rates rate raises quickly our quality putting put pushed provider profits profit profiles recent recently recession
Topic 17 | Coherence=-222631.55 | Top words= other prices and people you your subscription how charge better their go continues tracking more increase out that continue up even yet they access services try benefit so squeeze fair added for youre what using kids if kept cant cheaper reason got of charging was gonna want do money increased guys hacked gas garbage get getting gf girl enough give elsewhere given end goes great going gone greedy entertainment emails good email gotten gouging greed grandkids entertaining expected games fault fiance few feet fees feel everything fee far future fan family fact face extra extortion expensive finally financial financially every especially fuel expenses frequent free forth euro forever forcing food focused flat fixed fix first from having hackednot its keep justify just joint join job jacking itself it hacking issues issue isnt isn is iny intolerable into keeping keeps kidding lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid interested instead inflation hiking hike higher high her help health he eliminating havent have has hardly hard happy hand half had hikes history increments holder increasses increasing increases income in improvements im ill idea husband hungry huge households household house hosehold horrible else done el becoming biannually bf between benefits being begin before been because biden became be barely bank back awhile away automatically biased biggest edge budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as additional agree againlater again after afford adicional addtional addresses addition aren adding activities acct accounts account acceptance absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cancelling cannot card days differences didnt deteriorated delivering declined decisions death deal day current daughter date damn dad cutting cut customers customer different direction disappointed discontinue easily earlier each duplicate due drive drastically drain down double dont live don doesnt divorce disgusts disgusting currently currency care charges combine college climbing climb city choose choice checking charged creep changing changes changed change cell caused caring cared combining come coming company credit covid courtesy country costs cost continuous continually continously constantly constant consolidating consider connected compromised competitive compared little loyal living spouse stepdad stealing stay states starting started start spouses spending stopped spend span sorry soon son something someone some stop stopping single system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid situation since retiring run see secure second scaling scales saving save same rules seen rule rotating rising risen rise ripped right ridiculous seems selection significant she signaling sign sight sick shoves shouldn should short sharing sense share shady several settled set servicio service series thank thanks thats way when whats were went well weeks week we waste while warrant wants wanted waiting wait vs virtue value where who the worth youll years yearly year yall ya wouldn would workable why work wont won without with willing will wife vaccine ut uses tightening too told today to tired tipped times time tight users throughout through this think things thing these there tooo town tried trying used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice return retired ll nice now notified nothing not nonsense nonesence non no next offer news newest new never needed need my must off offered much opening outside our others original or options option opportunity opened offset ontario only oneday one once on ok often multiple moving resume lower many manservices making makes make made luck loyalty lost married losing loose looking longer long lol locations location market may moved mind move months monthly month monetary moment mom mistake might maybe merge memberships membership members member medical means me over overpriced own raised reality reactivate re rather rates rate raising raises raise recent quickly quality putting put pushed provider profits profit really recently owner replace resubscribe
Topic 18 | Coherence=-217031.97 | Top words= changing price nonsense been benefits for don this keeps long done why paying with of less keep too quality waste more creep time rather constant spend would and will when blindly learning resume thats bank money your reflect service should horrible garbage damn buggin broke start flat fuel future from gas games youre get getting greedy greed great grandkids gouging gotten got good gonna gone going goes go given give girl gf frequent first free family fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails fair fan forth far forever forcing food focused fixed fix hacked financially financial finally fiance few feet fees feel fee fault guys health hackednot issues just joint join job jacking itself its it issue increments isnt isn is iny intolerable into interested instead justify keeping kept kidding limiting limited limit like life letting let lesser legacy left leave layoff later last laid lack kids inflation increasses hacking having hikes hike higher high her help elsewhere he havent increasing have has hardly hard happy hand half had hiking history holder hosehold increases increased increase income in improvements im ill if idea husband hungry huge how households household house email double else because bf between better benefit being begin before becoming became biased be barely back awhile away automatically aunt at biannually biden card business cannot cancelling canceling cancel can bye by but budget biggest break boyfriend both bit bills billings billing bill as aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cant care eliminating days differences didnt deteriorated delivering declined decisions death deal day direction daughter date dad cutting cut customers customer currently different disappointed cared drastically el edge easily earlier each duplicate due drive drain discontinue down live dont doesnt do divorce disgusts disgusting current currency credit charging college climbing climb city choose choice checking cheaper charges covid charged charge changes changed change cell caused caring combine combining come coming courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared company little loyal living started stopping stopped stop stepdad stealing stay states starting squeeze stupid spouses spouse spending span sorry soon son something stranger sub some taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers someone so ll save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation shouldn single since significant signaling sign sight sick shoves short services she sharing share shady several settled set servicio that the their warrant were went well weeks week we way was wants whats wanted want waiting wait vs virtue value vaccine what where there wouldn youll you yet years yearly year yall ya worth while workable work wont won without willing wife who ut using uses times tracking town tooo told today to tired tipped tightening users tight throughout through think things thing they these tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right ridiculous return nice off now notified nothing not nonesence non no next offered news newest new never needed need my must offer offset over opportunity out our others other original or options option opening often opened ontario only oneday one once on ok multiple much moving loyalty market many manservices making makes make made luck lower moved lost losing loose looking longer lol locations location married may maybe me move months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means outside overpriced retiring raised really reality reactivate re rates rate raising raises raise recent quickly putting put pushed provider profits profit profiles reason recently own repurposing retired
Topic 19 | Coherence=-215618.86 | Top words= me extra your college not thank is when it ut anyways she uses sign re daughter worth bye charge of to in company the with cancel didnt games first playing let month subscribers tired greed disgusts holder account death raises increase history throughout living stay how caused restriction will emails gone future gonna greedy got garbage email gas get gotten going go goes great grandkids getting gf good give given gouging fuel girl forever from especially euro feel fee fault far fan family fair fact even face every everything extortion expensive expenses expected fees feet frequent entertainment end free forth enough forcing for food focused flat fixed guys financially financial finally fiance entertaining few fix youre hacked jacking keeps keeping keep justify just joint join job itself instead its issues issue isnt isn iny intolerable into kept kidding kids lack little limiting limited limit like life letting lesser less legacy left leave learning layoff later last laid interested inflation hackednot havent higher high her help health he having else have increments has hardly hard happy hand half had hacking hike hikes hiking horrible increasses increasing increases increased income improvements im ill if idea husband hungry huge households household house hosehold elsewhere dont eliminating because better benefits benefit being begin before been becoming became bf be barely bank back awhile away automatically aunt between biannually el boyfriend can by but business buggin budget broke break both biased blindly bit bills billings billing bill biggest biden at as aren addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts access acceptance absurd about agree alarming all allow apps aparently anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed canceling cancelling cannot date differences deteriorated delivering declined decisions deal days day damn credit dad cutting cut customers customer currently current currency different direction disappointed discontinue edge easily earlier each duplicate due drive drastically drain down double done don doesnt do divorce disgusting creep covid cant charged climb city choose choice checking cheaper charging charges changing courtesy changes changed change cell caring cared care card climbing combine combining come country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared coming live loyal ll spouses stop stepdad stealing states starting started start squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger so take thanks than terrible temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscription subscriber sub some situation return same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense single short since significant signaling sight sick shoves shouldn should sharing series share shady several settled set servicio services service that thats their waste what were went well weeks week we way was where warrant wants wanted want waiting wait vs virtue whats while there wouldn youll you yet years yearly year yall ya would who workable work wont won without willing wife why value vaccine using time tracking town tooo too told today tipped times tightening users tight through this think things thing they these tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring location no offer off now notified nothing nonsense nonesence non nice offset next news newest new never needed need my offered often multiple option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on must much retired loyalty market many manservices making makes make made luck lower may lost losing loose looking longer long lol locations married maybe moving mom moved move more months monthly money monetary moment mistake means mind might merge memberships membership members member medical over overpriced own raise really reality reactivate rather rates rate raising raised quickly recent quality putting put pushed provider profits profit profiles reason recently owner replace resume
Topic 20 | Coherence=-218172.55 | Top words= and keep prices it for increasing we no long at like only rates time loyalty alarming feel will subscriber there is customer going been in money you on me good stealing havent years yall from its because members run legacy respect being new users subscription don aren opened fault gf give end girl enough getting go get entertaining gas garbage games future given goes fuel gouging hacked guys greedy greed great grandkids else emails gotten elsewhere got email gonna gone entertainment frequent especially few fix first financially face finally fiance fact far feet fair family fees fan fee extra fixed extortion expensive expenses expected flat everything focused every even food euro forcing forever forth free financial youre hackednot increments keeping justify just joint join job jacking itself issues issue isnt isn iny intolerable into interested instead keeps kept kidding less limiting limited limit life letting let lesser left kids leave learning layoff later last laid lack inflation increasses hacking increases hikes hike higher eliminating her help health he having have has hardly hard happy hand half had hiking history holder idea increased increase income improvements im ill if husband horrible hungry huge how households household house hosehold high drain el benefit biggest biden biased biannually bf between better benefits begin billing before becoming became be barely bank back awhile bill billings automatically but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit away aunt care adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater all as annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed card cared edge day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers currently current differences direction creep down easily earlier each duplicate due drive drastically live double disappointed dont done doesnt do divorce disgusts disgusting discontinue currency credit caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company little loyal living start stopping stopped stop stepdad stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions something some ripped scaling series sense selection seen seems see secure second scales services saving save same rules rule rotating rising risen service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled the their these was what were went well weeks week way waste warrant when wants wanted want waiting wait vs virtue value whats where they workable youll yet yearly year ya wouldn would worth work while wont won without with willing wife why who vaccine ut using tipped tracking town tooo too told today to tired times uses tightening tight throughout through this think things thing tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two rise right ll nonsense offered offer off of now notified nothing not nonesence often non nice next news newest never needed need offset ok must other owner own overpriced over outside out our others original once or options option opportunity opening ontario oneday one my multiple ridiculous your market many manservices making makes make made luck lower may lost losing loose looking longer lol locations location married maybe much moment moving moved move more months monthly month monetary mom means mistake mind might merge memberships membership member medical owning pagos parent rate recently recent reason really reality reactivate re rather raising rectifying raises raised raise quickly quality putting put pushed recession redo parents residence return
Topic 21 | Coherence=-225657.30 | Top words= have and pay my different subscriptions price are disgusting company taste increases greedy extortion its youre but about bill to family me change charge upcoming we use ridiculous locations will anticonsumer where don too fee two in married need got many memberships husband off of lol expenses you reducing being sick laid getting consolidating going ripped after recently unneeded short merge often households throughout just using needed oneday profits another fiance retiring benefits gouging hackednot hacked guys almost greed great grandkids gotten given already good also gonna gone am goes hacking had half hand all higher high her help allow health he having havent allowed has hardly hard happy go give fair few fix first financially financial finally amount amounts feet girl fees feel an annually fault far fan fixed flat focused food gf amercian get gas garbage games future fuel from frequent free forth forever forcing for hike hikes hiking jacking keep justify account joint join job accounts acct alarming itself activities added it issues issue isnt keeping keeps kept kidding let lesser less legacy left leave learning layoff absurd acceptance later last access lack kids isn adding addition adicional ill if idea again hungry huge how againlater household house hosehold horrible holder history agree afford addtional is im iny intolerable into interested instead inflation increments increasses increasing additional increased increase income addresses improvements any fact better cheaper college climbing climb city choose choice checking charging cell charges charged barely changing changes be changed combine combining come coming cost continuous continues continue continually continously constantly constant back consider connected compromised competitive compared bank became caused face before both blindly bit been bills billings billing biggest caring biden begin biased biannually benefit bf between boyfriend break broke budget cared care card because cant cannot cancelling canceling cancel can bye by becoming business buggin costs country courtesy duplicate else eliminating el edge easily earlier each due awhile drive drastically drain down double dont life elsewhere apps email emails extra anymore expensive anyways expected everything every even euro especially entertainment entertaining aparently enough end done aren as days daughter date damn dad cutting cut customers customer currently current currency away creep credit covid day deal at death doesnt do divorce disgusts aunt discontinue disappointed direction automatically differences didnt deteriorated delivering declined decisions letting loyal like squeeze stop stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopped stopping stranger stupid thank than terrible temporary temporarily talk taking take system switching support summer success subscription subscribers subscriber sub someone so that saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service services single since significant signaling sign sight shoves shouldn should she sharing share shady several settled set servicio thanks thats limit way when whats what were went well weeks week waste value was warrant wants wanted want waiting wait vs while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine the tight tooo told today tired tipped times time tightening through ut this think things thing they these there their town tracking tried try uses users used us upward upping up until unnecessary unfortunately unfair unemployed understand under unable twice trying right return retired nice now notified nothing not nonsense nonesence non no next move news newest new never must multiple much moving offer offered offset ok outside out our others other original or options option opportunity opening opened ontario only one once on moved more resume looking made luck loyalty your lower lost losing loose longer months long location ll living live little limiting limited make makes making manservices monthly month money monetary moment mom mistake mind might membership members member medical means maybe may market over overpriced own raised reality reactivate re rather rates rate raising raises raise owner quickly quality putting put pushed provider profit profiles really reason recent
Topic 22 | Coherence=-221918.10 | Top words= used shady raised once pay offer almost tried dont cancel fact your you like price also that the passed away subscription this and to my account of by she opened was being mistake duplicate mom had as stranger spending rising owner owning parent costs has recession inflation person without gotten stay again caused me vs much gas get getting girl gf gonna give given go goes going gone games good got gouging grandkids great greed garbage youre future fuel fault far fan family fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough fee feel fees focused from frequent free forth forever forcing for greedy flat feet fixed fix first financially financial finally fiance few food having guys issue joint join job jacking itself its it issues isnt hacked isn is iny intolerable into interested instead increments just justify keep keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasses increasing increases hiking hike higher high her help health he emails havent have hardly hard happy hand half hacking hackednot hikes history increased holder increase income in improvements im ill if idea husband hungry huge how households household house hosehold horrible end double email benefit biggest biden biased biannually bf between better benefits begin billing before been becoming because became be barely bank bill billings caring but care card cant cannot cancelling canceling can bye business bills buggin budget broke break boyfriend both blindly bit back awhile automatically addition agree againlater after afford adicional addtional addresses additional adding aunt added activities acct accounts access acceptance absurd about alarming all allow allowed at aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am already cared cell elsewhere deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue change drive else eliminating el edge easily earlier each due drastically disgusting drain down done don doesnt do divorce disgusts customer currently current choice come combining combine college climbing climb city choose checking currency cheaper charging charges charged charge changing changes changed coming company compared competitive creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised life loyal limit start stopping stopped stop stepdad stealing states starting started squeeze some spouses spouse spend span sorry soon son something stupid sub subscriber subscribers thats thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions someone so there saving selection seen seems see secure second scaling scales save situation same run rules rule rotating risen rise ripped sense series service services single since significant signaling sign sight sick shoves shouldn should short sharing share several settled set servicio their these ridiculous week where when whats what were went well weeks we value way waste warrant wants wanted want waiting wait while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won with willing will virtue vaccine they tipped try tracking town tooo too told today tired times ut time tightening tight throughout through think things thing trying twice two unable using uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under right return limited newest not nonsense nonesence non no nice next news new months never needed need must multiple moving moved move nothing notified now off others other original or options option opportunity opening ontario only oneday one on ok often offset offered more monthly out longer made luck loyalty lower lost losing loose looking long month lol locations location ll living live little limiting make makes making manservices money monetary moment mind might merge memberships membership members member medical means maybe may married market many our outside retiring rate recent reason really reality reactivate re rather rates raising profit raises raise quickly quality putting put pushed provider recently rectifying redo reduce
Topic 23 | Coherence=-217952.98 | Top words= price and the anymore not increasing raising other share keep continually letting us new keeps but one while direction scales finally goes tipped use selection increase in you hardly on afford little value delivering point up your rules focused customers between high re aren jacking from pls original kidding lower had really now system got good gouging gotten frequent free fuel going future gonna games gone getting go given garbage gas give get girl gf forth youre forever forcing fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails fair family fan financially for food flat fixed fix first great financial far fiance few feet fees feel fee fault grandkids havent greed justify joint join job itself its it issues issue isnt isn is iny intolerable into interested instead inflation just keeping greedy kept limited limit like life let lesser less legacy left leave learning layoff later last laid lack kids increments increasses increases increased higher her help health he having elsewhere have has hard happy hand half hacking hackednot hacked guys hike hikes hiking hungry income improvements im ill if idea husband huge history how households household house hosehold horrible holder email drain else before biased biannually bf better benefits benefit being begin been biggest becoming because became be barely bank back awhile biden bill automatically buggin cannot cancelling canceling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings away aunt card adding againlater again after adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at annually as are apps aparently anyways any anticonsumer another an allow amounts amount amercian am also already almost allowed cant care eliminating day differences didnt deteriorated declined decisions death deal days daughter disappointed date damn dad cutting cut customer currently current different discontinue creep drastically el edge easily earlier each duplicate due drive down disgusting double dont done don doesnt do divorce disgusts currency credit cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining covid constantly courtesy country costs cost continuous continues continue continously constant come consolidating consider connected compromised competitive compared company coming limiting loyal live starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber there taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take switching support summer success subscriptions subscription soon son something second services service series sense seen seems see secure scaling someone saving save same run rule rotating rising risen servicio set settled several some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing shady their these ripped we when whats what were went well weeks week way who waste was warrant wants wanted want waiting wait where why they would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs virtue vaccine times tracking town tooo too told today to tired time ut tightening tight throughout through this think things thing tried try trying twice using uses users used upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two rise right living news notified nothing nonsense nonesence non no nice next newest off never needed need my must multiple much moving of offer own opportunity over outside out our others or options option opening offered opened ontario only oneday once ok often offset moved move more lost many manservices making makes make made luck loyalty losing months loose looking longer long lol locations location ll market married may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me overpriced owner ridiculous rate recession recently recent reason reality reactivate rather rates raises redo raised raise quickly quality putting put pushed provider rectifying reduce owning respect return
Topic 24 | Coherence=-221755.73 | Top words= and you going my re charge for no to in good it your daughter sign uses bye anyways she up ut worth that thank when kids more another am keeps live city unfair intolerable just income fixed on about even cost membership profits subscriptions went quality kidding retired non down fee had set money really get much take stranger eliminating extortion annually fiance games garbage expenses gas expected everything getting every gf girl give given go goes euro especially gone gonna entertainment got gotten entertaining enough end gouging grandkids emails email expensive future greed flat finally few financial feet financially first fees feel fault far fix fan focused fuel food family fair fact face forcing forever forth free frequent extra from great youre greedy increases join job jacking itself its issues issue isnt isn is iny into interested instead inflation increments increasses joint justify keep left like life letting let lesser less legacy leave keeping learning layoff later last laid lack kept increasing increased guys increase high her help elsewhere he having havent have has hardly hard happy hand half hacking hackednot hacked higher hike hikes huge improvements im ill if idea husband hungry how hiking households household house hosehold horrible holder history health dont else begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill card buggin cannot cancelling canceling cancel can by but business budget billing broke break boyfriend both blindly bit bills billings awhile away automatically addition againlater again after afford adicional addtional addresses additional adding aunt added activities acct accounts account access acceptance absurd agree alarming all allow at as aren are apps aparently anymore any anticonsumer an amounts amount amercian also already almost allowed cant care el days differences didnt deteriorated delivering declined decisions death deal day direction date damn dad cutting cut customers customer currently different disappointed cared drain edge easily earlier each duplicate due drive drastically double discontinue limited done don doesnt do divorce disgusts disgusting current currency creep charging combine college climbing climb choose choice checking cheaper charges credit charged changing changes changed change cell caused caring combining come coming company covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limit loyal limiting spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping return taking thats thanks than terrible temporary temporarily taste talk system stupid switching support summer success subscription subscribers subscriber sub some so situation same seems see secure second scaling scales saving save run single rules rule rotating rising risen rise ripped right seen selection sense series since significant signaling sight sick shoves shouldn should short sharing share shady several settled servicio services service the their there way where whats what were well weeks week we waste value was warrant wants wanted want waiting wait vs while who why wife youll yet years yearly year yall ya wouldn would workable work wont won without with willing will virtue vaccine these time town tooo too told today tired tipped times tightening using tight throughout through this think things thing they tracking tried try trying users used use us upward upping upcoming until unneeded unnecessary unfortunately unemployed understand under unable two twice ridiculous retiring little nice off of now notified nothing not nonsense nonesence next offered news newest new never needed need must multiple offer offset resume option outside out our others other original or options opportunity often opening opened ontario only oneday one once ok moving moved move losing making makes make made luck loyalty lower lost loose months looking longer long lol locations location ll living manservices many market married monthly month monetary moment mom mistake mind might merge memberships members member medical means me maybe may over overpriced own raised reason reality reactivate rather rates rate raising raises raise prices quickly putting put pushed provider profit profiles problem recent recently recession rectifying
Topic 25 | Coherence=-214813.31 | Top words= to me are you good this not the if email bye it only that fact months consider come forever rectifying makes give reactivate issue want back never again will expensive so switching others compared new going under restart allow fees even fair single second monthly choose moving system girl get games garbage getting gf gas youre given go goes gonna got gotten gouging grandkids great greed greedy guys hacked gone flat future everything far fan family face extra extortion expenses expected every fuel euro especially entertainment entertaining enough end emails elsewhere fault fee feel feet from frequent free forth forcing for food focused hacking fixed fix first financially financial finally fiance few hackednot health had jacking keeps keeping keep justify just joint join job itself instead its issues isnt isn is iny intolerable into kept kidding kids lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid interested inflation half eliminating history hiking hikes hike higher high her help he increments having havent have has hardly hard happy hand holder horrible hosehold house increasses increasing increases increased increase income in improvements im ill idea husband hungry huge how households household else down el before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank awhile away biased biggest aunt budget cancelling canceling cancel can by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at cant adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as annually aren apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost cannot card edge days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current live easily earlier each duplicate due drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting currently currency care charged climbing climb city choice checking cheaper charging charges charge combine changing changes changed change cell caused caring cared college combining creep continue credit covid courtesy country costs cost continuous continues continually coming continously constantly constant consolidating connected compromised competitive company little loyal living started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something taste their thats thanks thank than terrible temporary temporarily talk subscriber taking take support summer success subscriptions subscription subscribers son someone ll saving sense selection seen seems see secure scaling scales save service same run rules rule rotating rising risen rise series services some shouldn situation since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set there these they we when whats what were went well weeks week way while waste was warrant wants wanted waiting wait vs where who thing would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife virtue value vaccine tired try tried tracking town tooo too told today tipped ut times time tightening tight throughout through think things trying twice two unable using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped right ridiculous nonesence offered offer off of now notified nothing nonsense non often no nice next news newest needed need my offset ok owning or own overpriced over outside out our other original options on option opportunity opening opened ontario oneday one once must multiple much lower many manservices making make made luck loyalty your lost moved losing loose looking longer long lol locations location market married may maybe move more month money monetary moment mom mistake mind might merge memberships membership members member medical means owner pagos return raises reason really reality re rather rates rate raising raised recently raise quickly quality putting put pushed provider profits recent recession parent reside retiring
Topic 26 | Coherence=-219853.91 | Top words= and the your too many be canceling you am access why is increments checking luck we will greed where now to of different want country my moved location current changed currency another restrict end work caring good market again pick cheaper fuel limiting girl free gf getting get frequent limit gas from give garbage games future limited lack go given forever hacking hackednot hacked guys greedy like great grandkids gouging gotten got gonna gone going goes forth for forcing family fact face extra extortion expensive live expenses expected everything every even euro especially entertainment living entertaining enough fair fan half far food focused flat fixed fix first financially financial finally fiance few little feet fees feel fee fault had hand life interested issue isnt isn leave iny intolerable into instead issues inflation left increasses increasing increases increased increase learning it in layoff kids kidding kept keeps last later keeping keep its justify just joint join job jacking itself income legacy laid he emails hike higher high her help health having hiking havent letting have has hardly hard happy hikes history improvements husband less lesser let im ill if idea hungry holder huge how households household house hosehold horrible youre drastically email begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank back awhile biden bill elsewhere buggin cannot cancelling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt addition agree againlater after afford adicional addtional addresses additional adding at added activities acct accounts account acceptance absurd about alarming all allow allowed as aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian also already almost cant card care decisions discontinue disappointed direction differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drain down double dont done don doesnt cut customer cared choice come combining combine college climbing climb city choose charging currently charges charged charge changing changes change cell caused coming company compared competitive creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised ll loyal locations start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber something some that scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled thanks thats rise warrant were went well weeks week way waste was wants whats wanted waiting wait vs virtue value vaccine ut what when uses would youll yet years yearly year yall ya wouldn worth while workable wont won without with willing wife who using users their tight tooo told today tired tipped times time tightening throughout tracking through this think things thing they these there town tried used unnecessary use us upward upping upcoming up until unneeded unfortunately try unfair unemployed understand under unable two twice trying risen ripped lol nothing on ok often offset offered offer off notified not one nonsense nonesence non no nice next news newest once oneday never others owning owner own overpriced over outside out our other only original or options option opportunity opening opened ontario new needed parent make means me maybe may married manservices making makes made member loyalty lower lost losing loose looking longer long medical members need month must multiple much moving move more months monthly money membership monetary moment mom mistake mind might merge memberships pagos parents right rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pushed respect ridiculous return
Topic 27 | Coherence=-218097.15 | Top words= price and is increases the in are be ridiculous greedy need saving has subscriptions me we more with continuous constant up months problem where since over have earlier sorry or increase edge pushed went consolidating moving member fiance oneday charging became policy changes business agree taking broke fuel servicio por el pagos adicional gas covid food entertainment inflation hike after quality charges will lesser gotten got good frequent gonna gone going from goes future games garbage letting go given give get girl getting let gf free fixed forth extortion far fan family fair fact face extra expensive forever expenses expected everything every even euro especially fault fee feel fees forcing for focused flat grandkids fix life first financially like financial finally few limit feet gouging keeps great last into interested instead laid increments increasses increasing increased iny later income layoff improvements im ill if intolerable lack greed job keep justify just joint kept join kidding jacking kids itself its it issues issue isnt isn idea husband hungry had enough leave hardly hard happy hand half left huge keeping legacy hacking hackednot hacked guys less havent having he health how households household house hosehold horrible holder history hiking hikes higher high her learning help entertaining youre end being biden biased biannually bf between better benefits benefit begin bill before been becoming because barely bank back awhile biggest billing emails by card cant cannot cancelling canceling cancel can bye but billings buggin budget break boyfriend both blindly bit bills away automatically aunt adding alarming againlater again afford addtional addresses additional addition added at activities acct accounts account access acceptance absurd about all allow allowed almost as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already care cared caring delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cutting decisions death deal days day daughter date damn disgusts divorce do doesnt email elsewhere else eliminating easily each duplicate due drive drastically drain limiting down double dont done don dad cut caused choose coming come combining combine college climbing climb city choice customers checking cheaper charged charge changing changed change cell company compared competitive compromised customer currently current currency creep credit courtesy country costs cost continues continue continually continously constantly consider connected limited loyal little starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span soon stupid subscriber these temporarily their thats that thanks thank than terrible temporary taste subscribers talk take system switching support summer success subscription son something someone scaling series sense selection seen seems see secure second scales some save same run rules rule rotating rising risen service services set settled so situation single significant signaling sign sight sick shoves shouldn should short she sharing share shady several there they live was whats what were well weeks week way waste warrant while wants wanted want waiting wait vs virtue value when who thing wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife vaccine ut using tipped tracking town tooo too told today to tired times uses time tightening tight throughout through this think things tried try trying twice users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two rise ripped right nice now notified nothing not nonsense nonesence non no next off news newest new never needed my must multiple of offer return opening out our others other original options option opportunity opened offered ontario only one once on ok often offset much moved move losing makes make made luck loyalty your lower lost loose monthly looking longer long lol locations location ll living making manservices many market month money monetary moment mom mistake mind might merge memberships membership members medical means maybe may married outside overpriced own rather recession recently recent reason really reality reactivate re rates profits rate raising raises raised raise quickly putting put rectifying redo reduce reducing
Topic 28 | Coherence=-219840.10 | Top words= price too the many for and much raised be increase to high has long way newest is not subscription will good gotten greedy times cost what was getting renewing should an cant fees while have service quality half charged now everything new becoming up risen increased quickly how already ya options girl choose putting competitive prescription tooo absurd pick keeps manservices second cancelling into forever forcing laid last food focused flat fixed income first financially financial finally later layoff fiance fix forth few gas give kept gf kidding kids get garbage free games future lack fuel from frequent learning feet keeping euro expensive expenses expected life every even especially leave entertainment entertaining enough end emails email extortion extra face fact letting let fair lesser less legacy family fan far fault fee left feel given go increases holder household house iny hosehold horrible isn history help hiking hikes hike higher isnt issue intolerable households interested huge hungry instead inflation husband increments increasses idea if ill im improvements in increasing her health goes grandkids hacked guys joint greed great just gouging he justify got keep gonna gone going join hackednot job hacking had jacking hand happy itself hard hardly its it issues havent elsewhere having youre dont else being biden biased biannually bf between better benefits benefit begin bill before been because became barely bank back awhile biggest billing automatically business card cannot canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away aunt eliminating addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance about agree all at anticonsumer as aren are apps aparently anyways anymore any another allow annually amounts amount amercian am also almost allowed care cared caring death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting caused drastically el edge easily earlier each duplicate due drive drain disgusts down double limit done don doesnt do divorce customers customer currently checking come combining combine college climbing climb city choice cheaper current charging charges charge changing changes changed change cell coming company compared compromised currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected like loyal limited squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger limiting take thank than terrible temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub someone some so save selection seen seems see secure scaling scales saving same situation run rules rule rotating rising rise ripped right sense series services servicio single since significant signaling sign sight sick shoves shouldn short she sharing share shady several settled set thanks that thats waste when whats were went well weeks week we warrant ut wants wanted want waiting wait vs virtue value where who why wife youll you yet years yearly year yall wouldn would worth workable work wont won without with willing vaccine using their tight tracking town told today tired tipped time tightening throughout uses through this think things thing they these there tried try trying twice users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous return retiring news notified nothing nonsense nonesence non no nice next never months needed need my must multiple moving moved move of off offer offered others other original or option opportunity opening opened ontario only oneday one once on ok often offset more monthly out loose make made luck loyalty your lower lost losing looking month longer lol locations location ll living live little makes making market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may our outside retired raising reason really reality reactivate re rather rates rate raises prices raise put pushed provider profits profit profiles problem recent recently recession rectifying
Topic 29 | Coherence=-223149.90 | Top words= subscription my has already an in with one the are moving expensive into putting kids have made bf between choose activities he or that me other this you so anymore dont life at daughter price else everything husband much residence need same stepdad news hikes new more sub than disappointed aparently location getting wife spouse costs ontario kidding over business hacking use afford membership hike happy great grandkids get gouging gf girl gotten give got good gonna garbage gone going goes go given gas focused games extra fee fault far fan family fair fact face extortion fees expenses expected every even euro especially entertainment entertaining feel feet future food fuel from frequent free forth forever forcing for greedy few flat fixed fix first financially financial finally fiance greed youre guys issues joint join job jacking itself its it issue hacked isnt isn is iny intolerable interested instead just justify keep keeping letting let lesser less legacy left leave learning layoff later last laid lack kept keeps inflation increments increasses holder hiking higher high end her help health having havent hardly hard hand half had hackednot history horrible increasing hosehold increases increased increase income improvements im ill if idea hungry huge how households household house enough drain emails benefit billing bill biggest biden biased biannually better benefits being bills begin before been becoming because became be barely billings bit email can cared care card cant cannot cancelling canceling cancel bye blindly by but buggin budget broke break boyfriend both bank back awhile addition agree againlater again after adicional addtional addresses additional adding away added acct accounts account access acceptance absurd about alarming all allow allowed automatically aunt as aren apps anyways any anticonsumer another annually and amounts amount amercian am also almost caring caused cell decisions discontinue direction different differences didnt deteriorated delivering declined death customer deal days day date damn dad cutting cut disgusting disgusts divorce do elsewhere eliminating el edge easily earlier each duplicate due drive drastically limit down double done don doesnt customers currently change choice coming come combining combine college climbing climb city checking current cheaper charging charges charged charge changing changes changed company compared competitive compromised currency creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected like loyal limited started stranger stopping stopped stop stealing stay states starting start subscriber squeeze spouses spending spend span sorry soon son stupid subscribers ripped temporarily these there their thats thanks thank terrible temporary taste subscriptions talk taking take system switching support summer success something someone some scaling series sense selection seen seems see secure second scales situation saving save run rules rule rotating rising risen service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled they thing things we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will vs value think today trying try tried tracking town tooo too told to vaccine tired tipped times time tightening tight throughout through twice two unable under ut using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise right limiting nonesence offer off of now notified nothing not nonsense non offset no nice next newest never needed must multiple offered often ridiculous original owning owner own overpriced outside out our others options ok option opportunity opening opened only oneday once on moved move months loose makes make luck loyalty your lower lost losing looking monthly longer long lol locations ll living live little making manservices many market month money monetary moment mom mistake mind might merge memberships members member medical means maybe may married pagos parent parents rather recession recently recent reason really reality reactivate re rates provider rate raising raises raised raise quickly quality put rectifying redo reduce reducing
Topic 30 | Coherence=-218959.78 | Top words= the is and this price have subscription in back will for money once come customer stop me tight few months budget ill upcoming try increases new as youll addtional ridiculous but get change anticonsumer fee multiple locations rejoin cannot users settled moving different twice gouging on less billings may stopped think reality times right an raises future started history deal live why face entertaining gf euro getting entertainment especially gas garbage girl going give given go goes gone gonna enough good got end gotten grandkids great greed emails games frequent even finally fix first financially fact financial fair family extra fiance fan far fault feet fees guys fixed fuel forcing every from feel free forth forever everything flat expected expenses food expensive extortion focused greedy youre hacked increments just joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead justify keep keeping learning life letting let lesser legacy left leave layoff keeps later last laid lack kids kidding kept inflation increasses hackednot increasing higher high elsewhere her help health he having havent has hardly hard happy hand half had hacking hike hikes hiking husband increased increase income improvements im if idea hungry holder huge how households household house hosehold horrible email don else begin biased biannually bf between better benefits benefit being before automatically been becoming because became be barely bank awhile biden biggest bill billing card cant cancelling canceling cancel can bye by business buggin broke break boyfriend both blindly bit bills away aunt cared adding againlater again after afford adicional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any another annually amounts amount amercian am also already almost allowed care caring eliminating death disappointed direction differences didnt deteriorated delivering declined decisions days current day daughter date damn dad cutting cut customers discontinue disgusting disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont done limit doesnt do currently currency caused checking combining combine college climbing climb city choose choice cheaper creep charging charges charged charge changing changes changed cell coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised like loyal limited spending stealing stay states starting start squeeze spouses spouse spend stopping span sorry soon son something someone some so stepdad stranger limiting take thank than terrible temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub situation single since same seems see secure second scaling scales saving save run significant rules rule rotating rising risen rise ripped return seen selection sense series signaling sign sight sick shoves shouldn should short she sharing share shady several set servicio services service thanks that thats we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who wife you yet years yearly year yall ya wouldn would worth workable work wont won without with willing vs value their tipped tracking town tooo too told today to tired time vaccine tightening throughout through things thing they these there tried trying two unable ut using uses used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under retiring retired resume no of now notified nothing not nonsense nonesence non nice moved next news newest never needed need my must off offer offered offset out our others other original or options option opportunity opening opened ontario only oneday one ok often much move over losing makes make made luck loyalty your lower lost loose more looking longer long lol location ll living little making manservices many market monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe married outside overpriced resubscribe quickly reactivate re rather rates rate raising raised raise quality prices putting put pushed provider profits profit profiles problem really reason recent recently
Topic 31 | Coherence=-228970.23 | Top words= to need dont services and other not money use have do you as the subscription save it want only much enough with why good guys needed put one extra forth so like up added limiting price no household we climb adding been using warrant combine activities households often access really owner signaling political increase away down virtue fees some scaling never better prefer high temporarily single expenses get go passed platforms drive policy right opportunity fuel from gf give getting gone future games given gonna garbage going goes girl gas youre frequent free fan family fair fact face extortion expensive expected everything every even euro especially entertainment entertaining far fault fee fixed forever forcing for food focused flat fix feel financially financial finally fiance few feet first hardly got jacking its issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased itself job gotten join left leave learning layoff later last laid lack kids kidding kept keeps keeping keep justify just joint income in improvements im having havent has emails hard happy hand half had hacking hackednot hacked greedy greed great grandkids gouging he health help house ill if idea husband hungry huge how hosehold her horrible holder history hiking hikes hike higher end don email benefit bill biggest biden biased biannually bf between benefits being billings begin before becoming because became be barely bank billing bills cared by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly back awhile automatically addtional all alarming agree againlater again after afford adicional addresses aunt additional addition acct accounts account acceptance absurd about allow allowed almost already at aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also care caring elsewhere days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed caused due else eliminating el edge easily earlier each duplicate drastically discontinue drain double done less doesnt divorce disgusts disgusting currently current currency cheaper come combining college climbing city choose choice checking charging creep charges charged charge changing changes changed change cell coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised legacy loyal lesser start stopped stop stepdad stealing stay states starting started squeeze thats spouses spouse spending spend span sorry soon son stopping stranger stupid sub thanks thank than terrible temporary taste talk taking take system switching support summer success subscriptions subscribers subscriber something someone situation selection seems see secure second scales saving same run rules rule rotating rising risen rise ripped ridiculous return seen sense since series significant sign sight sick shoves shouldn should short she sharing share shady several settled set servicio service that their retired way when whats what were went well weeks week waste there was wants wanted waiting wait vs value vaccine where while who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will ut uses users town too told today tired tipped times time tightening tight throughout through this think things thing they these tooo tracking used tried us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try retiring resume let moving nice next news newest new my must multiple moved others move more months monthly month monetary moment mom non nonesence nonsense nothing or options option opening opened ontario oneday once on ok offset offered offer off of now notified mistake mind might your lost losing loose looking longer long lol locations location ll living live little limited limit life letting lower loyalty merge luck memberships membership members member medical means me maybe may married market many manservices making makes make made original our resubscribe raised reality reactivate re rather rates rate raising raises raise out quickly quality putting pushed provider profits profit profiles reason recent recently
Topic 32 | Coherence=-215818.52 | Top words= subscription good price is with it in access my am keeps checking increments greed luck now why where someone who moved service already have subscriber family has husband son before your poland free get rising but amercian was they phone joint live climbing hacking fair as euro parents courtesy kids broke cut we these repurposing gf garbage gotten got gas enough emails elsewhere grandkids end getting going goes email gonna girl gone games gouging give given go great greedy extortion future feel financial finally fiance expected few feet fees fee entertaining fault far fan expenses expensive fact face everything every financially first fuel from frequent extra entertainment forever forcing for food focused especially flat even fixed fix forth he guys instead kept keeping keep justify just join job jacking itself its issues issue isnt isn iny intolerable into kidding lack laid let little limiting limited limit like life letting lesser last less legacy left leave learning layoff later interested inflation hacked increasses hiking hikes hike higher high her help health having havent hardly hard happy hand half had hackednot history holder horrible ill increasing increases increased increase income improvements im if hosehold idea hungry huge how households household house else youre eliminating begin biased biannually bf between better benefits benefit being been biggest becoming because became be barely bank back awhile biden bill care business cant cannot cancelling canceling cancel can bye by buggin billing budget break boyfriend both blindly bit bills billings away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts account acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any anticonsumer another annually and an amounts amount also almost allowed card cared el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting customers customer direction discontinue caring drain edge easily earlier each duplicate due drive drastically down disgusting living dont done don doesnt do divorce disgusts currently current currency charging combining combine college climb city choose choice cheaper charges creep charged charge changing changes changed change cell caused come coming company compared credit covid country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive double loyal ll started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub some taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions something so ridiculous saving selection seen seems see secure second scaling scales save series same run rules rule rotating risen rise ripped sense services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set the their there warrant what were went well weeks week way waste wants when wanted want waiting wait vs virtue value vaccine whats while thing wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will ut using uses tipped tracking town tooo too told today to tired times users time tightening tight throughout through this think things tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right return location non offer off of notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered often multiple option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on must much retiring loyalty married market many manservices making makes make made lower maybe lost losing loose looking longer long lol locations may me moving mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical over overpriced own raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession owner reside retired
Topic 33 | Coherence=-223334.24 | Top words= extra my you and for charge subscription sharing me with no share charging family college if an will stay im using support going that longer parents good extortion cant grandkids but taste bill its out company unable allow acceptance of idea re stopping used mom don expensive caring dad reason must only bye having girl guys get gas hacked getting gf got give given gotten go goes gone greed gonna great gouging greedy youre garbage games feel fee fault far fan fair fact face expenses expected everything every even euro especially entertainment entertaining enough end fees feet few forcing future fuel from frequent free forth forever hacking food fiance focused flat fixed fix first financially financial finally hackednot he had kidding keeps keeping keep justify just joint join job jacking itself it issues issue isnt isn is iny kept kids into lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid intolerable interested half horrible history hiking hikes hike higher high her help health email havent have has hardly hard happy hand holder hosehold instead house inflation increments increasses increasing increases increased increase income in improvements ill husband hungry huge how households household emails double elsewhere been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden else budget cannot cancelling canceling cancel can by business buggin broke biggest break boyfriend both blindly bit bills billings billing automatically aunt at addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts account access absurd about agree alarming all allowed aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost card care cared decisions disappointed direction different differences didnt deteriorated delivering declined death customer deal days day daughter date damn cutting cut discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain down live dont done doesnt do customers currently caused choice coming come combining combine climbing climb city choose checking current cheaper charges charged changing changes changed change cell compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider little loyal living squeeze stopped stop stepdad stealing states starting started start spouses stupid spouse spending spend span sorry soon son something stranger sub some temporarily their the thats thanks thank than terrible temporary talk subscriber taking take system switching summer success subscriptions subscribers someone so ll save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation shouldn single since significant signaling sign sight sick shoves should service short she shady several settled set servicio services there these they way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while thing would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing wife why virtue value vaccine tipped tracking town tooo too told today to tired times ut time tightening tight throughout through this think things tried try trying twice uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two right ridiculous return non offer off now notified nothing not nonsense nonesence nice offset next news newest new never needed need multiple offered often owner options overpriced over outside our others other original or option ok opportunity opening opened ontario oneday one once on much moving moved your many manservices making makes make made luck loyalty lower move lost losing loose looking long lol locations location market married may maybe more months monthly month money monetary moment mistake mind might merge memberships membership members member medical means own owning retiring raises recent really reality reactivate rather rates rate raising raised recession raise quickly quality putting put pushed provider profits recently rectifying pagos reside retired
Topic 34 | Coherence=-221214.71 | Top words= price the no to with increases continues keep money service worth raising longer it for good value have enough benefit cost climb do job rise better end sight in use down need fault justify frequent paying don your drain barely amount way several anymore discontinue isnt weeks cheaper agree subscriptions replace losing hardly increased isn vs profits tracking spending has reflect span another market people get gas garbage games getting future fuel entertaining from girl gf free give given go goes going extortion gone gonna emails expenses flat expected extra fact family fan far face fee feel fees feet few got fiance everything every finally forth even financial financially first fix euro fixed especially fair focused food entertainment forcing forever expensive youre gotten keeping joint join jacking itself its issues issue is iny intolerable into interested instead inflation increments increasses increasing just keeps income kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding increase improvements gouging her health he having havent hard happy hand half had hacking hackednot hacked guys greedy greed great grandkids help high im higher ill if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike email done elsewhere before biden biased biannually bf between benefits being begin been aunt becoming because became be bank back awhile away biggest bill billing billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills automatically at cant adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater alarming all allow aren are apps aparently anyways any anticonsumer annually and an amounts amercian am also already almost allowed cannot card else day didnt deteriorated delivering declined decisions death deal days daughter currency date damn dad cutting cut customers customer currently differences different direction disappointed eliminating el edge easily earlier each duplicate due drive drastically double dont limited doesnt divorce disgusts disgusting current creep care charged college climbing city choose choice checking charging charges charge credit changing changes changed change cell caused caring cared combine combining come coming covid courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared company limit loyal limiting start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spend sorry soon son something someone stopping stupid thats taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscription subscribers subscriber some so situation same seems see secure second scaling scales saving save run single rules rule rotating rising risen ripped right ridiculous seen selection sense series since significant signaling sign sick shoves shouldn should short she sharing share shady settled set servicio services that their little waste when whats what were went well week we was while warrant wants wanted want waiting wait virtue vaccine where who there wouldn youll you yet years yearly year yall ya would why workable work wont won without willing will wife ut using uses tightening tooo too told today tired tipped times time tight users throughout through this think things thing they these town tried try trying used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice return retiring retired next now notified nothing not nonsense nonesence non nice news off newest new never needed my must multiple much of offer resume opened others other original or options option opportunity opening ontario offered only oneday one once on ok often offset moving moved move lost manservices making makes make made luck loyalty lower loose more looking long lol locations location ll living live many married may maybe months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me our out outside raise reality reactivate re rather rates rate raises raised quickly prices quality putting put pushed provider profit profiles problem really reason recent recently
Topic 35 | Coherence=-214456.89 | Top words= prices raising year and greedy profit additional starting profiles after increase last charge for just is to stop or customer are into your money on any services differences because improvements success without being some put continously restriction please loyal since every damn these twice ridiculous creep caused subscriber isnt isn climb cutting good got gotten frequent fuel from future gouging getting free garbage gonna gone going goes go given give girl gf gas get games fix forth expected fair fact face extra extortion expensive expenses everything fan even euro especially entertainment entertaining enough end family far forever financially forcing food focused flat fixed great first financial fault finally fiance few feet fees feel fee grandkids hard greed its keeping keep justify joint join job jacking itself it kept issues issue iny intolerable interested instead inflation increments keeps kidding guys lesser little limiting limited limit like life letting let less kids legacy left leave learning layoff later laid lack increasses increasing increases has high her help health he having havent have hardly increased email happy hand half had hacking hackednot hacked higher hike hikes hiking income in im ill if idea husband hungry huge how households household house hosehold horrible holder history emails drain elsewhere begin biden biased biannually bf between better benefits benefit before automatically been becoming became be barely bank back awhile biggest bill billing billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills away aunt cant adding agree againlater again afford adicional addtional addresses addition added at activities acct accounts account access acceptance absurd about alarming all allow allowed as aren apps aparently anyways anymore anticonsumer another annually an amounts amount amercian am also already almost cannot card else decisions discontinue disappointed direction different didnt deteriorated delivering declined death current deal days day daughter date dad cut customers disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically living down double dont done don doesnt currently currency care charging combine college climbing city choose choice checking cheaper charges credit charged changing changes changed change cell caring cared combining come coming company covid courtesy country costs cost continuous continues continue continually constantly constant consolidating consider connected compromised competitive compared live youre ll states sub stupid stranger stopping stopped stepdad stealing stay started subscription start squeeze spouses spouse spending spend span sorry subscribers subscriptions son terrible there their the thats that thanks thank than temporary summer temporarily taste talk taking take system switching support soon something ripped scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series servicio someone shoves so situation single significant signaling sign sight sick shouldn set should short she sharing share shady several settled they thing things we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who think would youll you yet years yearly yall ya wouldn worth why workable work wont won with willing will wife vs virtue value today trying try tried tracking town tooo too told tired vaccine tipped times time tightening tight throughout through this two unable under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rise right location nice now notified nothing not nonsense nonesence non no next off news newest new never needed need my must of offer much opening out our others other original options option opportunity opened offered ontario only oneday one once ok often offset multiple moving return loyalty market many manservices making makes make made luck lower may lost losing loose looking longer long lol locations married maybe moved mistake move more months monthly month monetary moment mom mind me might merge memberships membership members member medical means outside over overpriced rate recent reason really reality reactivate re rather rates raises recession raised raise quickly quality putting pushed provider profits recently rectifying own reside retiring
Topic 36 | Coherence=-218993.86 | Top words= to price subscriptions your greedy extra hikes not also money few many share years you way charging over past fan because for an return will hike budget tightening different againlater months wait ill financially emails getting gf get girl gas given garbage give games future youre good go goes had hacking hackednot hacked guys greed great grandkids gouging gotten got from gonna gone going fuel fixed frequent fair face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end email elsewhere else fact family free far forth forever forcing food focused flat hand fix first financial finally fiance feet fees feel fee fault half help happy joint kids kidding kept keeps keeping keep justify just join laid job jacking itself its it issues issue isnt lack last hard life ll living live little limiting limited limit like letting later let lesser less legacy left leave learning layoff isn is iny high household house hosehold horrible holder history hiking higher her intolerable el health he having havent have has hardly households how huge hungry into interested instead inflation increments increasses increasing increases increased increase income in improvements im if idea husband eliminating drastically edge easily biased biannually bf between better benefits benefit being begin before been becoming became be barely bank back awhile away biden biggest bill business cannot cancelling canceling cancel can bye by but buggin billing broke break boyfriend both blindly bit bills billings automatically aunt at adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow and amounts amount amercian am already almost allowed cant card care daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt direction creep double earlier each duplicate due drive locations drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue currency credit cared charges college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company location loyal lol long stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscription son something someone scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short she sharing shady several settled the their there waste whats what were went well weeks week we was where warrant wants wanted want waiting vs virtue value when while ut worth youll yet yearly year yall ya wouldn would workable who work wont won without with willing wife why vaccine using these times tracking town tooo too told today tired tipped time try tight throughout through this think things thing they tried trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two risen rise ripped nothing often offset offered offer off of now notified nonsense on nonesence non no nice next news newest new ok once needed original owner own overpriced outside out our others other or one options option opportunity opening opened ontario only oneday never need pagos make me maybe may married market manservices making makes made medical luck loyalty lower lost losing loose looking longer means member my month must multiple much moving moved move more monthly monetary members moment mom mistake mind might merge memberships membership owning parent right rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pushed respect ridiculous retiring
Topic 37 | Coherence=-221368.37 | Top words= to for cut this have other the due just again much start back trying need prices paying as take losing possible before high month bills things care first costs my don will of are entertainment having rise fuel rising there reduce us am second on gas moved months money spending expenses time looking must monthly retiring medical everything eliminating greedy going far competitive try yet hungry flat climbing girl even every given expected gf go goes expensive give especially euro gone get entertaining enough gonna end good got gotten gouging grandkids getting financially extortion extra fixed financial great finally fiance few feet fees focused food feel fee forcing forever forth free frequent fault from fan family future games fair fact face fix garbage health greed joint job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments join justify guys keep let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping increasses increasing increases increased hike higher her help email he havent has hardly hard happy hand half had hacking hackednot hacked hikes hiking history idea increase income in improvements im ill if husband holder huge how households household house hosehold horrible emails youre elsewhere begin biased biannually bf between better benefits benefit being been biggest becoming because became be barely bank awhile away biden bill card business cannot cancelling canceling cancel can bye by but buggin billing budget broke break boyfriend both blindly bit billings automatically aunt at adding againlater after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost allowed cant cared else deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting customers customer direction discontinue caring drain el edge easily earlier each duplicate drive drastically down disgusting double life dont done doesnt do divorce disgusts currently current currency charging combine college climb city choose choice checking cheaper charges creep charged charge changing changes changed change cell caused combining come coming company credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised compared letting loyal like started stopping stopped stop stepdad stealing stay states starting squeeze some spouses spouse spend span sorry soon son something stranger stupid sub subscriber thanks thank than terrible temporary temporarily taste talk taking system switching support summer success subscriptions subscription subscribers someone so thats scales series sense selection seen seems see secure scaling saving situation save same run rules rule rotating risen ripped service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled that their ridiculous week where when whats what were went well weeks we vs way waste was warrant wants wanted want waiting while who why wife youll you years yearly year yall ya wouldn would worth workable work wont won without with willing wait virtue these tired twice tried tracking town tooo too told today tipped value times tightening tight throughout through think thing they two unable under understand vaccine ut using uses users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed right return limit non offer off now notified nothing not nonsense nonesence no move nice next news newest new never needed multiple offered offset often ok over outside out our others original or options option opportunity opening opened ontario only oneday one once moving more own long made luck loyalty your lower lost loose longer lol monetary locations location ll living live little limiting limited make makes making manservices moment mom mistake mind might merge memberships membership members member means me maybe may married market many overpriced owner retired raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
 79%|███████▉  | 38/48 [2:22:28<57:08, 342.89s/it]  
Topic 38 | Coherence=-221231.49 | Top words= too expensive for is it prices worth me and keep not going much new many no service now unfortunately added upward charges more other but increasing getting stupid on rule given never vs maybe its thanks offered itself use right later longer climb adding whats isnt what hackednot nothing overpriced secure else dont easily rising amount way workable so in family boyfriend taking wants try gf euro entertainment future get games gas give garbage especially girl end entertaining go goes enough even gone gonna good got emails email elsewhere gotten gouging grandkids fuel fault from face fee fan feel fees fair feet few fact fiance finally financial financially first fix extra frequent extortion fixed flat focused food expenses expected forcing forever everything every forth far free great youre greed into job jacking issues issue isn iny intolerable interested joint instead inflation increments increasses increases increased increase join just greedy layoff let lesser less legacy left leave learning last justify laid lack kids kidding kept keeps keeping income improvements im hardly eliminating health he having havent have has hard ill happy hand half had hacking hacked guys her high higher hike if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes help doesnt el before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically buggin cannot cancelling canceling cancel can bye by business budget bill broke break both blindly bit bills billings billing away aunt edge additional agree againlater again after afford adicional addtional addresses addition all activities acct accounts account access acceptance absurd about alarming allow at anticonsumer as aren are apps aparently anyways anymore any another allowed annually an amounts amercian am also already almost cant card care daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different cared double earlier each duplicate due drive drastically drain down done direction don life do divorce disgusts disgusting discontinue disappointed currency creep credit charging combine college climbing city choose choice checking cheaper charged covid charge changing changes changed change cell caused caring combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared letting loyal like spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son something someone stop stopped stopping stranger than terrible temporary temporarily taste talk take system switching support summer success subscriptions subscription subscribers subscriber sub some single that same seen seems see second scaling scales saving save run since rules rotating risen rise ripped ridiculous return retiring selection sense series services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thank thats limit waste where when were went well weeks week we was using warrant wanted want waiting wait virtue value vaccine while who why wife youll you yet years yearly year yall ya wouldn would work wont won without with willing will ut uses the throughout today to tired tipped times time tightening tight through users this think things thing they these there their told tooo town tracking used us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying tried retired resume resubscribe news off of notified nonsense nonesence non nice next newest monthly needed need my must multiple moving moved move offer offset often ok over outside out our others original or options option opportunity opening opened ontario only oneday one once months month restriction long luck loyalty your lower lost losing loose looking lol money locations location ll living live little limiting limited made make makes making monetary moment mom mistake mind might merge memberships membership members member medical means may married market manservices own owner owning raised reality reactivate re rather rates rate raising raises raise pagos quickly quality putting put pushed provider profits profit really reason recent
Average topic coherence for the top words is -220853.1921026553
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.26it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.25it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.27it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.22it/s]
 10%|█         | 5/50 [00:00<00:08,  5.23it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.17it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.17it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.17it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.23it/s]
 20%|██        | 10/50 [00:01<00:07,  5.22it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.22it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.23it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.22it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.22it/s]
 30%|███       | 15/50 [00:02<00:06,  5.22it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.23it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.23it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.23it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.23it/s]
 40%|████      | 20/50 [00:03<00:05,  5.23it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.23it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.18it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.19it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.20it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.20it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.21it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.20it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.21it/s]
 58%|█████▊    | 29/50 [00:05<00:03,  5.25it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.26it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.23it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.20it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.18it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.23it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.22it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.24it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.23it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.23it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.23it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.22it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.23it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.24it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.24it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.23it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.22it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.23it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.23it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.24it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.24it/s]
100%|██████████| 50/50 [00:09<00:00,  5.22it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.71it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.55it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.49it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.49it/s]
 10%|█         | 5/50 [00:00<00:06,  6.46it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.46it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.48it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.50it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.47it/s]
 20%|██        | 10/50 [00:01<00:06,  6.40it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.40it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.41it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.39it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.41it/s]
 30%|███       | 15/50 [00:02<00:05,  6.43it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.45it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.45it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.45it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.44it/s]
 40%|████      | 20/50 [00:03<00:04,  6.43it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.46it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.46it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.44it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.46it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.47it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.46it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.49it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.50it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.46it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.46it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.44it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.46it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.46it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.47it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.46it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.46it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.43it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.44it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.45it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.48it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.48it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.47it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.44it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.42it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.43it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.41it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.42it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.43it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.44it/s]
100%|██████████| 50/50 [00:07<00:00,  6.45it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.48it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.46it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.46it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.46it/s]
 10%|█         | 5/50 [00:01<00:13,  3.46it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.45it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.46it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.46it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.46it/s]
 20%|██        | 10/50 [00:02<00:11,  3.46it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.48it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.47it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.45it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.46it/s]
 30%|███       | 15/50 [00:04<00:10,  3.44it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.42it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.42it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.43it/s]
 38%|███▊      | 19/50 [00:05<00:09,  3.43it/s]
 40%|████      | 20/50 [00:05<00:08,  3.43it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.45it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.45it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.46it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.47it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.47it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.47it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.41it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.43it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.44it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.40it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.43it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.44it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.44it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.43it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.43it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.45it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.45it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.45it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.45it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.46it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.46it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.45it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.45it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.45it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.45it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.45it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.46it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.46it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.46it/s]
100%|██████████| 50/50 [00:14<00:00,  3.45it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.66it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.68it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.67it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.68it/s]
 10%|█         | 5/50 [00:01<00:16,  2.68it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.68it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.68it/s]
 16%|█▌        | 8/50 [00:02<00:15,  2.67it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.68it/s]
 20%|██        | 10/50 [00:03<00:14,  2.68it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.68it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.68it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.69it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.67it/s]
 30%|███       | 15/50 [00:05<00:13,  2.66it/s]
 32%|███▏      | 16/50 [00:05<00:12,  2.67it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.67it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.68it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.68it/s]
 40%|████      | 20/50 [00:07<00:11,  2.66it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.67it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.67it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.66it/s]
 48%|████▊     | 24/50 [00:08<00:09,  2.67it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.67it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.67it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.67it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.66it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.66it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.67it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.67it/s]
 64%|██████▍   | 32/50 [00:11<00:06,  2.67it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.68it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.68it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.69it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.70it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.70it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.71it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.70it/s]
 80%|████████  | 40/50 [00:14<00:03,  2.70it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.70it/s]
 84%|████████▍ | 42/50 [00:15<00:02,  2.67it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.66it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.66it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.67it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.68it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.68it/s]
 96%|█████████▌| 48/50 [00:17<00:00,  2.68it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.69it/s]
100%|██████████| 50/50 [00:18<00:00,  2.68it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.76it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.75it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.75it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.74it/s]
 10%|█         | 5/50 [00:02<00:25,  1.74it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.74it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.74it/s]
 16%|█▌        | 8/50 [00:04<00:24,  1.75it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.75it/s]
 20%|██        | 10/50 [00:05<00:22,  1.75it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.75it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.75it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.75it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.75it/s]
 30%|███       | 15/50 [00:08<00:20,  1.75it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.75it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.75it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.75it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.75it/s]
 40%|████      | 20/50 [00:11<00:17,  1.75it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.76it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.75it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.75it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.74it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.75it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.75it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.75it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.75it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.76it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.76it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.75it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.74it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.75it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.75it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.76it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.76it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.75it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.75it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.76it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.75it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.75it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.75it/s]
 86%|████████▌ | 43/50 [00:24<00:03,  1.75it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.75it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.75it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.75it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.75it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.75it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.75it/s]
100%|██████████| 50/50 [00:28<00:00,  1.75it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.59it/s]
Topic 0 | Coherence=-214614.16 | Top words= the and my of to raising business be elsewhere different want are location constantly take you moved current currency country changed will out at work moment letting temporary politically got ontario taste provider biased months possible hacked as had residence games getting hackednot get hacking half garbage gas girl gf gonna great grandkids gouging gotten good greedy guys greed future going goes go given give gone forever fuel fault fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end far fee from feel frequent free forth happy forcing for food focused flat fixed fix first financially financial finally fiance few feet fees hand health hard join kidding kept keeps keeping keep justify just joint job iny jacking itself its it issues issue isnt isn kids lack laid last living live little limiting limited limit like life let lesser less legacy left leave learning layoff later is intolerable hardly hike household house hosehold horrible holder history hiking hikes higher into high her help he having havent have has households how huge hungry interested instead inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband emails youre email begin biden biannually bf between better benefits benefit being before bill been becoming because became barely bank back awhile biggest billing automatically but cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills away aunt else adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow card care cared death disappointed direction differences didnt deteriorated delivering declined decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts caring ll eliminating el edge easily earlier each duplicate due drastically divorce drain down double dont done don doesnt do customers customer currently cheaper combine college climbing climb city choose choice checking charging creep charges charged charge changing changes change cell caused combining come coming company credit covid courtesy costs cost continuous continues continue continually continously constant consolidating consider connected compromised competitive compared drive loyal locations started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something talk their thats that thanks thank than terrible temporarily taking subscriber system switching support summer success subscriptions subscription subscribers son someone these second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several there they lol way whats what were went well weeks week we waste where was warrant wants wanted waiting wait vs virtue when while vaccine would youll yet years yearly year yall ya wouldn worth who workable wont won without with willing wife why value ut thing tipped tried tracking town tooo too told today tired times trying time tightening tight throughout through this think things try twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable rising risen rise nonsense offset offered offer off now notified nothing not nonesence ok non no nice next news newest new never often on need original owner own overpriced over outside our others other or once options option opportunity opening opened only oneday one needed must ripped luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me multiple mom much moving move more monthly month money monetary mistake means mind might merge memberships membership members member medical owning pagos parent re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raises raised raise quickly quality putting redo reducing parents restrict right
Topic 1 | Coherence=-210662.82 | Top words= and price increase sharing expenses cancel subscription of to talk bye limited recent the month just increased almost pick shouldn cut need per subscriptions first drive reducing rent competitive down didnt financially let it me off from laid time hard some must stopping market retiring blindly unneeded hardly caused short discontinue extra owner oneday users go forcing its for food focused flat get forever fixed leave fix legacy less lesser left given forth give free girl frequent justify itself fuel gf getting future games garbage gas isn fiance jacking letting everything every life join even euro like especially entertainment entertaining limit enough end emails email expected expensive financial extortion finally going few feet fees feel fee fault far job fan family fair fact face goes got gone ill idea husband hungry huge how households household house kept isnt hosehold horrible holder kidding history if im hikes improvements iny intolerable keep into interested instead inflation increments increasses increasing increases keeping keeps income in hiking issue learning had hacking hackednot hacked guys greedy greed joint layoff great grandkids gouging gotten is good gonna last half hike hand higher high her help kids health lack he having havent issues have has elsewhere happy later youre else becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased at broke cancelling canceling can by but business buggin budget break biden boyfriend both bit bills billings billing bill biggest aunt as eliminating adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another an all amounts amount amercian am also already allowed allow cannot cant card daughter deteriorated delivering declined decisions death deal days day date different damn dad cutting customers customer currently current currency differences direction care limiting el edge easily earlier each duplicate due drastically double disappointed dont done don doesnt do divorce disgusts disgusting creep credit covid charges climbing climb city choose choice checking cheaper charging charged courtesy charge changing changes changed change cell caring cared college combine combining come country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised compared company coming drain loyal little starting stupid stranger stopped stop stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers thing terrible these there their thats that thanks thank than temporary success temporarily taste taking take system switching support summer soon son something scales sense selection seen seems see secure second scaling saving someone save same run rules rule rotating rising risen series service services servicio so situation single since significant signaling sign sight sick shoves should she share shady several settled set they things ripped weeks while where when whats what were went well week why we way waste was warrant wants wanted want who wife think wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing waiting wait vs told twice trying try tried tracking town tooo too today virtue tired tipped times tightening tight throughout through this two unable under understand value vaccine ut using uses used use us upward upping upcoming up until unnecessary unfortunately unfair unemployed rise right live next notified nothing not nonsense nonesence non no nice news offer newest new never needed my multiple much moving now offered over opportunity out our others other original or options option opening offset opened ontario only one once on ok often moved move more losing makes make made luck loyalty your lower lost loose months looking longer long lol locations location ll living making manservices many married monthly money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may outside overpriced ridiculous raises really reality reactivate re rather rates rate raising raised recently raise quickly quality putting put pushed provider profits reason recession own residence return
Topic 2 | Coherence=-216085.17 | Top words= raised you tried shady offer once almost used fact price your dont also that pay cancel like to the have damn lost sorry oneday prices job earlier went yall mind these or up times with amercian poland live vaccine due support but since wont has nonesence again games from garbage gas future get frequent getting fuel grandkids gf greed girl give given go great gouging goes going gone gonna good got gotten youre financially free forth fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere family fan far first forever forcing for food focused flat fixed fix guys fault financial finally fiance few feet fees feel fee greedy health hacked issue just joint join jacking itself its it issues isnt hackednot isn is iny intolerable into interested instead inflation justify keep keeping keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept increments increasses increasing history hikes hike higher high her help eliminating he having havent hardly hard happy hand half had hacking hiking holder increases horrible increased increase income in improvements im ill if idea husband hungry huge how households household house hosehold else done el before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically budget cannot cancelling canceling can bye by business buggin broke bill break boyfriend both blindly bit bills billings billing away aunt edge adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at anticonsumer as aren are apps aparently anyways anymore any another allow annually and an amounts amount am already allowed cant card care date delivering declined decisions death deal days day daughter dad didnt cutting cut customers customer currently current currency creep deteriorated differences cared limited easily each duplicate drive drastically drain down double don different doesnt do divorce disgusts disgusting discontinue disappointed direction credit covid courtesy charges climbing climb city choose choice checking cheaper charging charged country charge changing changes changed change cell caused caring college combine combining come costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming limit loyal limiting spouse stealing stay states starting started start squeeze spouses spending stop spend span soon son something someone some so stepdad stopped retiring switching terrible temporary temporarily taste talk taking take system summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger situation single significant run see secure second scaling scales saving save same rules signaling rule rotating rising risen rise ripped right ridiculous seems seen selection sense sign sight sick shoves shouldn should short she sharing share several settled set servicio services service series than thank thanks waste whats what were well weeks week we way was ut warrant wants wanted want waiting wait vs virtue when where while who youll yet years yearly year ya wouldn would worth workable work won without willing will wife why value using thats tight tooo too told today tired tipped time tightening throughout uses through this think things thing they there their town tracking try trying users use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice return retired little newest nothing not nonsense non no nice next news new now never needed need my must multiple much moving notified of resume opening out our others other original options option opportunity opened off ontario only one on ok often offset offered moved move more losing manservices making makes make made luck loyalty lower loose months looking longer long lol locations location ll living many market married may monthly month money monetary moment mom mistake might merge memberships membership members member medical means me maybe outside over overpriced raising reason really reality reactivate re rather rates rate raises profiles raise quickly quality putting put pushed provider profits recent recently recession rectifying
Topic 3 | Coherence=-225140.29 | Top words= extra of share charging you price to because your years with hikes over my greedy past many not out subscriptions me fan way cant few stay grandkids without go town newest months people only for anymore gotten emails pleased huge before get getting gas garbage games hackednot gf hacking girl guys give hacked given gouging goes going gone greed gonna good great got future youre fuel from family fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end email elsewhere far fault fee flat frequent free forth forever half forcing food focused fixed feel fix first financially financial finally fiance feet fees had he hand jacking keeps keeping keep justify just joint join job itself happy its it issues issue isnt isn is iny kept kidding kids lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid intolerable into interested house horrible holder history hiking hike higher high her help health eliminating having havent have has hardly hard hosehold household instead households inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry how else drive el at biased biannually bf between better benefits benefit being begin been becoming became be barely bank back awhile away automatically biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt as card aren againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree alarming all and are apps aparently anyways any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot care edge currency differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently different direction disappointed down easily earlier each duplicate due live drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting current creep cared credit combine college climbing climb city choose choice checking cheaper charges charged charge changing changes changed change cell caused caring combining come coming continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared little loyal living starting stupid stranger stopping stopped stop stepdad stealing states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers son temporarily the thats that thanks thank than terrible temporary taste subscription talk taking take system switching support summer success soon something risen second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set someone sight some so situation single since significant signaling sign sick settled shoves shouldn should short she sharing shady several their there these was what were went well weeks week we waste warrant when wants wanted want waiting wait vs virtue value whats where they worth youll yet yearly year yall ya wouldn would workable while work wont won willing will wife why who vaccine ut using times tried tracking tooo too told today tired tipped time uses tightening tight throughout through this think things thing try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable rising rise ll nonesence offset offered offer off now notified nothing nonsense non ok no nice next news new never needed need often on multiple original owning owner own overpriced outside our others other or once options option opportunity opening opened ontario oneday one must much ripped lower market manservices making makes make made luck loyalty lost may losing loose looking longer long lol locations location married maybe moving mom moved move more monthly month money monetary moment mistake means mind might merge memberships membership members member medical pagos parent parents reactivate redo rectifying recession recently recent reason really reality re reducing rather rates rate raising raises raised raise quickly reduce reflect passed restrict right
Topic 4 | Coherence=-215946.07 | Top words= the are me it not that months to this you only good consider want email if fact will again bye issue back reactivate rectifying has give forever makes come never price increases in increase over edge pushed new under restart covid reason broke workable deal sight its fuel from frequent free forth for let forcing games food focused flat letting future garbage fix gas gotten got legacy gonna gone going goes go given less girl lesser gf getting get fixed financially first euro expensive expenses expected limited everything every even especially grandkids entertainment entertaining enough end limiting emails little extortion extra limit face financial finally fiance life few feet fees feel fee fault far fan family fair like gouging great itself improvements keep keeping increased keeps income kept kidding im households ill kids lack idea husband hungry huge justify increasing increasses increments jacking issues job isnt isn join joint is iny intolerable into interested instead just inflation how laid greed happy having havent have leave hardly left hard hand household half had hacking hackednot hacked guys greedy he health elsewhere help house hosehold horrible holder history hiking last later hikes hike higher layoff high her learning youre drive else eliminating biannually bf between better benefits benefit being begin before been becoming because became be barely bank awhile away automatically biased biden biggest buggin cannot cancelling canceling cancel can by but business budget bill break boyfriend both blindly bit bills billings billing aunt at as adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cant card care days different differences didnt deteriorated delivering declined decisions death day disappointed daughter date damn dad cutting cut customers customer direction discontinue current drain el easily earlier each duplicate due living drastically down disgusting double dont done don doesnt do divorce disgusts currently currency cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining creep continually credit courtesy country costs cost continuous continues continue continously coming constantly constant consolidating connected compromised competitive compared company live loyal ll starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son talk thats thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription soon something risen second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set someone sick some so situation single since significant signaling sign shoves settled shouldn should short she sharing share shady several their there these way whats what were went well weeks week we waste where was warrant wants wanted waiting wait vs virtue when while they would youll yet years yearly year yall ya wouldn worth who work wont won without with willing wife why value vaccine ut tipped tried tracking town tooo too told today tired times using time tightening tight throughout through think things thing try trying twice two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable rising rise location nonesence offered offer off of now notified nothing nonsense non often no nice next news newest needed need my offset ok multiple or own overpriced outside out our others other original options on option opportunity opening opened ontario oneday one once must much ripped your market many manservices making make made luck loyalty lower may lost losing loose looking longer long lol locations married maybe moving mom moved move more monthly month money monetary moment mistake means mind might merge memberships membership members member medical owner owning pagos rate recession recently recent really reality re rather rates raising reduce raises raised raise quickly quality putting put provider redo reducing parent restrict right
Topic 5 | Coherence=-225366.01 | Top words= it afford at time can anymore now this to price you cant not using keep right dont make well doesnt resubscribe decisions sense us making that guys share but business raising and letting thanks caused when are inflation job money by biden president lost my increase don want willing other way think start have longer apps any cannot high again interested upping won tight food kids future grandkids going from great greed fuel gouging goes games good go given gone frequent girl gf garbage gotten gas got get gonna getting give youre free forth family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough fan far fault first forever forcing for focused flat fixed fix financially fee financial finally greedy few feet fees feel fiance hikes hacked isnt joint join jacking itself its issues issue isn increases is iny intolerable into instead increments increasses just justify keeping keeps life let lesser less legacy left leave learning layoff later last laid lack kidding kept increasing increased hackednot havent hike higher her help health he having has income hardly hard happy hand half had hacking emails hiking history holder in improvements im ill if idea husband hungry huge how households household house hosehold horrible end do email being biggest biased biannually bf between better benefits benefit begin elsewhere before been becoming because became be barely bank bill billing billings bills cell caring cared care card cancelling canceling cancel bye buggin budget broke break boyfriend both blindly bit back awhile away alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all automatically allow aunt as aren aparently anyways anticonsumer another annually an amounts amount amercian am also already almost allowed change changed changes discontinue direction different differences didnt deteriorated delivering declined death deal days day daughter date damn dad cutting cut disappointed disgusting customer disgusts else eliminating el edge easily earlier each duplicate due drive drastically drain down double done limit divorce customers currently changing competitive company coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge compared compromised current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider like loyal limited span states starting started squeeze spouses spouse spending spend sorry stealing soon son something someone some so situation single stay stepdad limiting success taste talk taking take system switching support summer subscriptions stop subscription subscribers subscriber sub stupid stranger stopping stopped since significant signaling rule second scaling scales saving save same run rules rotating sign rising risen rise ripped ridiculous return retiring retired secure see seems seen sight sick shoves shouldn should short she sharing shady several settled set servicio services service series selection temporarily temporary terrible was whats what were went weeks week we waste warrant uses wants wanted waiting wait vs virtue value vaccine where while who why youll yet years yearly year yall ya wouldn would worth workable work wont without with will wife ut users than through too told today tired tipped times tightening throughout things used thing they these there their the thats thank tooo town tracking tried use upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try resume restriction restrict news notified nothing nonsense nonesence non no nice next newest move new never needed need must multiple much moving of off offer offered others original or options option opportunity opening opened ontario only oneday one once on ok often offset moved more out loose manservices makes made luck loyalty your lower losing looking months long lol locations location ll living live little many market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe our outside restart quality re rather rates rate raises raised raise quickly putting prescription put pushed provider profits profit profiles problem pricing reactivate reality really reason
Topic 6 | Coherence=-215520.30 | Top words= subscription the now for on my going and wife with divorce as out through courtesy left spending kept this budget you issues happy users gonna own moving news thank between personal disappointed sub spend subscriptions than used days quality payment fuel games get future getting gas garbage youre gf got greedy greed great grandkids gouging gotten good girl gone frequent goes go given give from focused free fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else fact family forth fan forever forcing food hacked flat fixed fix first financially financial finally fiance few feet fees feel fee fault far guys has hackednot it justify just joint join job jacking itself its issue keeping isnt isn is iny intolerable into interested instead keep keeps hacking less limiting limited limit like life letting let lesser legacy kidding leave learning layoff later last laid lack kids inflation increments increasses he hiking hikes hike higher high her help health having increasing havent have el hardly hard hand half had history holder horrible hosehold increases increased increase income in improvements im ill if idea husband hungry huge how households household house eliminating dont edge becoming bf better benefits benefit being begin before been because biased became be barely bank back awhile away automatically biannually biden at broke canceling cancel can bye by but business buggin break biggest boyfriend both blindly bit bills billings billing bill aunt aren cannot adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cancelling cant easily damn delivering declined decisions death deal day daughter date dad didnt cutting cut customers customer currently current currency creep deteriorated differences covid double earlier each duplicate due drive drastically drain down live different done don doesnt do disgusts disgusting discontinue direction credit country card charge city choose choice checking cheaper charging charges charged changing climbing changes changed change cell caused caring cared care climb college costs consolidating cost continuous continues continue continually continously constantly constant consider combine connected compromised competitive compared company coming come combining little loyal living spouses stepdad stealing stay states starting started start squeeze spouse stopped span sorry soon son something someone some so stop stopping single taking thats that thanks terrible temporary temporarily taste talk take stranger system switching support summer success subscribers subscriber stupid situation since return same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense significant she signaling sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services service their there these way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while they would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing will why virtue value vaccine tired tried tracking town tooo too told today to tipped ut times time tightening tight throughout think things thing try trying twice two using uses use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring ll nice of notified nothing not nonsense nonesence non no next offer newest new never needed need must multiple much off offered move opportunity outside our others other original or options option opening offset opened ontario only oneday one once ok often moved more retired lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married months might monthly month money monetary moment mom mistake mind merge may memberships membership members member medical means me maybe over overpriced owner raising reason really reality reactivate re rather rates rate raises recently raised raise quickly putting put pushed provider profits recent recession owning repurposing resume
Topic 7 | Coherence=-221491.65 | Top words= money many greedy you the also and subscriptions not way few fan too past your hikes charges over charging share years fees like because raised added extra pricing rules increasing addition gotten increase bill using up high had expensive easily getting set prescription hackednot secure prices upping losing won feet given going especially goes go euro girl give gf even get gas garbage gone gonna fiance good got entertainment gouging grandkids great entertaining greed enough end emails email elsewhere games future every fuel feel fee finally financial financially fault first guys far family fair fix fixed fact face extortion flat focused expenses food for forcing forever forth free frequent expected everything from youre having hacked itself keeping keep justify just joint join job jacking its hacking it issues issue isnt isn is iny intolerable keeps kept kidding kids limiting limited limit life letting let lesser less legacy left leave learning layoff later last laid lack into interested instead horrible history hiking hike higher her help health he eliminating havent have has hardly hard happy hand half holder hosehold inflation house increments increasses increases increased income in improvements im ill if idea husband hungry huge how households household else double el begin biased biannually bf between better benefits benefit being before biggest been becoming became be barely bank back awhile biden billing automatically business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away aunt card additional agree againlater again after afford adicional addtional addresses adding all activities acct accounts account access acceptance absurd about alarming allow at anticonsumer as aren are apps aparently anyways anymore any another allowed annually an amounts amount amercian am already almost cant care edge day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency live earlier each duplicate due drive drastically drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue current creep cared cheaper combine college climbing climb city choose choice checking charged come charge changing changes changed change cell caused caring combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared little loyal living started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something talk that thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscription subscribers son someone ridiculous saving sense selection seen seems see second scaling scales save service same run rule rotating rising risen rise ripped series services some sick so situation single since significant signaling sign sight shoves servicio shouldn should short she sharing shady several settled thats their there waste whats what were went well weeks week we was where warrant wants wanted want waiting wait vs virtue when while these worth youll yet yearly year yall ya wouldn would workable who work wont without with willing will wife why value vaccine ut time town tooo told today to tired tipped times tightening uses tight throughout through this think things thing they tracking tried try trying users used use us upward upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right return ll no off of now notified nothing nonsense nonesence non nice offered next news newest new never needed need my offer offset multiple opportunity out our others other original or options option opening often opened ontario only oneday one once on ok must much retiring loyalty married market manservices making makes make made luck lower maybe lost loose looking longer long lol locations location may me moving mom moved move more months monthly month monetary moment mistake means mind might merge memberships membership members member medical outside overpriced own rate recent reason really reality reactivate re rather rates raising recession raises raise quickly quality putting put pushed provider recently rectifying owner reside retired
Topic 8 | Coherence=-223844.97 | Top words= price increase is the for not to and greedy after last profiles additional profit starting prices charge too year are just raising willing anymore pay am raised high ridiculous paying what was way options much support out be great something should think constant half customer since charged became budget using horrible becoming dont being girl quality daughter spending loyal really ya living throughout raises renewing member history from unnecessary higher cutting increasing system done expenses original thanks happy given getting spend competitive go holder fault feel fees feet few fiance finally laid financial financially first if fix fixed lack flat focused food kids forcing forever forth free frequent idea kidding fuel future games garbage fee far instead fan enough entertaining entertainment especially euro even less income increased legacy every everything left expected improvements expensive leave increases extortion extra learning layoff face im fact later ill fair family kept gas keeps keeping hackednot hacking isnt had households isn hand end hard hardly has have havent having household he health iny intolerable help into her interested inflation house hike hikes hosehold hiking hacked guys issue going keep get husband gf hungry justify joint give huge increasses how join goes gone greed gonna job jacking good got gotten increments gouging itself grandkids its it issues in do emails benefits bill biggest biden biased biannually bf between better benefit cared begin before been because barely bank back awhile billing billings bills bit card cant cannot cancelling canceling cancel can bye by but business buggin broke break boyfriend both blindly away automatically aunt alarming againlater again afford adicional addtional addresses addition adding added activities acct accounts account access acceptance absurd about agree all at allow as aren apps aparently anyways any anticonsumer another annually an amounts amount amercian also already almost allowed care caring email declined discontinue disappointed direction different differences didnt deteriorated delivering decisions caused death deal days day date damn dad cut disgusting disgusts divorce let elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double don doesnt customers currently current coming combining combine college climbing climb city choose choice checking cheaper charging charges changing changes changed change cell come company currency compared creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised lesser youre letting spouse stepdad stealing stay states started start squeeze spouses span signaling sorry soon son someone some so situation single stop stopped stopping stranger than terrible temporary temporarily taste talk taking take switching summer success subscriptions subscription subscribers subscriber sub stupid significant sign life rule second scaling scales saving save same run rules rotating sight rising risen rise ripped right return retiring retired secure see seems seen sick shoves shouldn short she sharing share shady several settled set servicio services service series sense selection thank that thats waste when whats were went well weeks week we warrant their wants wanted want waiting wait vs virtue value where while who why youll you yet years yearly yall wouldn would worth workable work wont won without with will wife vaccine ut uses tried town tooo told today tired tipped times time tightening tight through this things thing they these there tracking try users trying used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under unable two twice resume resubscribe restriction multiple news newest new never needed need my must moving opened moved move more months monthly month money monetary next nice no non only oneday one once on ok often offset offered offer off of now notified nothing nonsense nonesence moment mom mistake loyalty lower lost losing loose looking longer long lol locations location ll live little limiting limited limit like your luck mind made might merge memberships membership members medical means me maybe may married market many manservices making makes make ontario opening restrict provider rather rates rate raise quickly putting put pushed profits opportunity problem pricing president prescription prefer preemptively power possible re reactivate reality
Topic 9 | Coherence=-218250.61 | Top words= for only increasing it will rates time customer we long like alarming at subscriber feel loyalty and no there going to your need year cancel rate offset subscription increasses each months one workable users combine weeks households several system discontinue stop remarried raised on in but use her being gone girl future games garbage entertaining guys gas get enough getting email gf greedy greed gonna give great end grandkids given gouging go gotten got emails good goes entertainment forth fuel fault fiance few feet fees expected fee expenses far financial expensive fan family fair extortion fact face finally everything from focused frequent free extra forever forcing especially food flat financially euro fixed even every hacked fix first youre help hackednot instead keep justify just joint join job jacking itself its issues issue isnt isn is iny intolerable into keeping keeps kept left limit life letting let lesser less legacy leave kidding learning layoff later last laid lack kids interested inflation hacking increments hikes hike higher high else health he having havent have has hardly hard happy hand half had hiking history holder if increases increased increase income improvements im ill idea horrible husband hungry huge how household house hosehold elsewhere double eliminating been biannually bf between better benefits benefit begin before becoming biden because became be barely bank back awhile away biased biggest aunt budget cannot cancelling canceling can bye by business buggin broke bill break boyfriend both blindly bit bills billings billing automatically as card adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cant care el day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers currently current differences direction creep down edge easily earlier duplicate due drive drastically drain limiting disappointed dont done don doesnt do divorce disgusts disgusting currency credit cared charges climbing climb city choose choice checking cheaper charging charged combining charge changing changes changed change cell caused caring college come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company limited loyal little spouse stealing stay states starting started start squeeze spouses spending stopped spend span sorry soon son something someone some stepdad stopping thats taking thanks thank than terrible temporary temporarily taste talk take stranger switching support summer success subscriptions subscribers sub stupid so situation single save seen seems see secure second scaling scales saving same since run rules rule rotating rising risen rise ripped selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing share shady settled set servicio services that the ridiculous was whats what were went well week way waste warrant where wants wanted want waiting wait vs virtue value when while their would youll you yet years yearly yall ya wouldn worth who work wont won without with willing wife why vaccine ut using tightening town tooo too told today tired tipped times tight uses throughout through this think things thing they these tracking tried try trying used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right return live next now notified nothing not nonsense nonesence non nice news off newest new never needed my must multiple much of offer own options over outside out our others other original or option offered opportunity opening opened ontario oneday once ok often moving moved move lost many manservices making makes make made luck lower losing more loose looking longer lol locations location ll living market married may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me overpriced owner retiring raise reason really reality reactivate re rather raising raises quickly recently quality putting put pushed provider profits profit profiles recent recession owning reside retired
Topic 10 | Coherence=-221040.22 | Top words= raising prices better services charge out charging kept people your are and only cheaper other reason was keep now that gonna so if it using money stop customer new some put into success rising inflation recession gas costs benefit twice damn cost food these too horrible opportunity ridiculous location limit interested learning left from frequent free forth forever forcing for legacy less focused flat fixed fix lesser leave layoff let girl gone going goes go given give gf fuel getting get later garbage games future first financial financially good extortion expensive expenses expected everything limited every even euro especially entertainment entertaining enough end emails extra face fact life finally letting fiance few feet fees feel fair fee fault far fan family like last laid intolerable idea issues hungry huge how households household its itself house hosehold jacking holder history hiking hikes husband issue higher isnt instead iny increments increasses increasing increases increased increase income in is improvements im ill isn hike high lack half hacking hackednot keeping hacked guys keeps kidding kids greedy greed great grandkids gouging gotten got had hand her happy job help health he join joint having havent have has just elsewhere hardly hard justify email youre else eliminating biased biannually bf between benefits being begin before been becoming because became be barely bank back awhile away automatically biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt at as adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cannot cant card decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date dad cutting cut discontinue disgusts currently drastically el edge easily earlier each duplicate due drive little divorce drain down double dont done don doesnt do customers current care charges combine college climbing climb city choose choice checking charged come changing changes changed change cell caused caring cared combining coming currency continually creep credit covid courtesy country continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared limiting loyal live states sub stupid stranger stopping stopped stepdad stealing stay starting subscribers started start squeeze spouses spouse spending spend span subscriber subscription thing temporary there their the thats thanks thank than terrible temporarily subscriptions taste talk taking take system switching support summer sorry soon son second service series sense selection seen seems see secure scaling something scales saving save same run rules rule rotating servicio set settled several someone situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady they things rise weeks while where when whats what were went well week why we way waste warrant wants wanted want waiting who wife think wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing wait vs virtue to trying try tried tracking town tooo told today tired value tipped times time tightening tight throughout through this two unable under understand vaccine ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed risen ripped living next notified nothing not nonsense nonesence non no nice news off newest never needed need my must multiple much of offer own opening over outside our others original or options option opened offered ontario oneday one once on ok often offset moving moved move lower many manservices making makes make made luck loyalty lost more losing loose looking longer long lol locations ll market married may maybe months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me overpriced owner right rate recently recent really reality reactivate re rather rates raises redo raised raise quickly quality putting pushed provider profits rectifying reduce owning respect return
Topic 11 | Coherence=-218441.43 | Top words= price and is increases with to money more of saving be can deal problem continuous sharing need terrible charges service greedy agree sick dad policy quality being changes off do ripped reflect lol customer access less currently spending through hand free time subscriptions live market down financial given every give girl gf everything getting goes get expected expenses gas garbage go going expensive great enough entertaining entertainment greed especially euro grandkids gone even gouging gotten got good gonna games future financially extortion finally fiance few first feet fix fixed fees feel fee hacked fault flat focused far food fan family fair fact for forcing forever forth frequent from face extra fuel guys has hackednot itself keeping keep justify just joint join job jacking its kept it issues issue isnt isn iny intolerable into keeps kidding instead lesser little limiting limited limit like life letting let legacy kids left leave learning layoff later last laid lack interested inflation hacking he hiking hikes hike higher high her help health having holder havent have emails hardly hard happy half had history horrible increments ill increasses increasing increased increase income in improvements im if hosehold idea husband hungry huge how households household house end youre email been biannually bf between better benefits benefit begin before becoming biden because became barely bank back awhile away automatically biased biggest cant budget cancelling canceling cancel bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account acceptance absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cannot card elsewhere death direction different differences didnt deteriorated delivering declined decisions days discontinue day daughter date damn cutting cut customers current disappointed disgusting care due else eliminating el edge easily earlier each duplicate drive disgusts drastically living double dont done don doesnt divorce currency creep credit charging college climbing climb city choose choice checking cheaper charged covid charge changing changed change cell caused caring cared combine combining come coming courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company drain loyal ll stealing subscriber sub stupid stranger stopping stopped stop stepdad stay subscription states starting started start squeeze spouses spouse spend subscribers success sorry than these there their the thats that thanks thank temporary summer temporarily taste talk taking take system switching support span soon rise second services series sense selection seen seems see secure scaling set scales save same run rules rule rotating rising servicio settled son signaling something someone some so situation single since significant sign several sight shoves shouldn should short she share shady they thing things week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why think wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will wait vs virtue too two twice trying try tried tracking town tooo told value today tired tipped times tightening tight throughout this unable under understand unemployed vaccine ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair risen right location nonesence offset offered offer now notified nothing not nonsense non ok no nice next news newest new never needed often on must or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one my multiple ridiculous loyalty married many manservices making makes make made luck your maybe lower lost losing loose looking longer long locations may me much mom moving moved move months monthly month monetary moment mistake means mind might merge memberships membership members member medical own owner owning rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly putting put pushed recession redo pagos respect return
Topic 12 | Coherence=-224575.69 | Top words= this the and have is price back for will in money months few budget come me try ill hikes tight as customer to future new once prices subscription upcoming profiles return stop expected youll issues ridiculous losing addtional sharing of job month tightening againlater away rising increases with passed owner second time wait may gouging twice due today gonna games emails end enough garbage fuel from gas fair give get getting grandkids gotten got good gone going else goes go elsewhere given frequent girl gf email entertaining food free everything family fan fact far fault fee face feel extra fees feet extortion expensive expenses fiance entertainment financial financially first every fix fixed even flat focused euro especially forcing forever forth finally health great justify joint join jacking itself its it issue isnt isn iny intolerable into interested instead inflation increments increasses just keep greed keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasing increased increase income help el he having havent has hardly hard happy hand half had hacking hackednot hacked guys greedy her high higher how improvements im if idea husband hungry huge households hike household house hosehold horrible holder history hiking eliminating youre edge being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing automatically but cant cannot cancelling canceling cancel can bye by business billings buggin broke break boyfriend both blindly bit bills awhile aunt easily adding agree again after afford adicional addresses additional addition added all activities acct accounts account access acceptance absurd about alarming allow at another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost card care cared day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers currently current differences direction caring dont earlier each duplicate drive drastically drain down double done disappointed don doesnt like do divorce disgusts disgusting discontinue currency creep credit charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed change cell caused combine combining coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared life loyal limit spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some so stealing stopped limited switching terrible temporary temporarily taste talk taking take system support stopping summer success subscriptions subscribers subscriber sub stupid stranger situation single since run seems see secure scaling scales saving save same rules significant rule rotating risen rise ripped right retiring retired seen selection sense series signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services service than thank thanks we when whats what were went well weeks week way value waste was warrant wants wanted want waiting vs where while who why you yet years yearly year yall ya wouldn would worth workable work wont won without willing wife virtue vaccine that throughout tracking town tooo too told tired tipped times through ut think things thing they these there their thats tried trying two unable using uses users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under resume resubscribe restriction news nothing not nonsense nonesence non no nice next newest move never needed need my must multiple much moving notified now off offer other original or options option opportunity opening opened ontario only oneday one on ok often offset offered moved more our longer made luck loyalty your lower lost loose looking long monthly lol locations location ll living live little limiting make makes making manservices monetary moment mom mistake mind might merge memberships membership members member medical means maybe married market many others out restrict raise reactivate re rather rates rate raising raises raised quickly president quality putting put pushed provider profits profit problem reality really reason recent
Topic 13 | Coherence=-207410.45 | Top words= to so it expensive youre others just your compared pay switching in im out euro card cheaper currency compromised credit automatically wanted el servicio por adicional pagos yearly but prefer take break subscriptions save month afford is newest city gf get hackednot gas garbage games hacking girl give given getting greedy go goes enough gone hacked gonna guys good got gotten gouging grandkids great end greed going from entertaining future fees feel fee fault far fan family fair fact face extra extortion especially expenses expected everything every feet few fiance food fuel even frequent free forever forcing for focused entertainment flat fixed fix first financially financial finally forth havent had join kids kidding kept keeps keeping keep justify joint job laid jacking itself its issues issue isnt isn iny lack last into life ll living live little limiting limited limit like letting later let lesser less legacy left leave learning layoff intolerable interested half health history hiking hikes hike higher high her help he horrible having email have has hardly hard happy hand holder hosehold instead improvements inflation increments increasses increasing increases increased increase income ill house if idea husband hungry huge how households household emails drastically elsewhere been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden at budget cancelling canceling cancel can bye by business buggin broke biggest boyfriend both blindly bit bills billings billing bill aunt as else adding agree againlater again after addtional addresses additional addition added all activities acct accounts account access acceptance absurd about alarming allow aren annually are apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost cannot cant care death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting cared locations eliminating edge easily earlier each duplicate due drive drain disgusts down double dont done don doesnt do divorce customers customer currently charges combine college climbing climb choose choice checking charging charged current charge changing changes changed change cell caused caring combining come coming company creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected competitive location loyal lol long sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span subscriber subscribers subscription than these there their the thats that thanks thank terrible success temporary temporarily taste talk taking system support summer sorry soon son second service series sense selection seen seems see secure scaling set scales saving same run rules rule rotating rising services settled something sight someone some situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady they thing things week where when whats what were went well weeks we who way waste was warrant wants want waiting wait while why virtue would youll you yet years year yall ya wouldn worth wife workable work wont won without with willing will vs value think today trying try tried tracking town tooo too told tired two tipped times time tightening tight throughout through this twice unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand risen rise ripped nonsense offered offer off of now notified nothing not nonesence often non no nice next news new never needed offset ok my options own overpriced over outside our other original or option on opportunity opening opened ontario only oneday one once need must owning make maybe may married market many manservices making makes made means luck loyalty lower lost losing loose looking longer me medical multiple monetary much moving moved move more months monthly money moment member mom mistake mind might merge memberships membership members owner parent right re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing put restart ridiculous return
Topic 14 | Coherence=-215976.16 | Top words= subscription but pay not have to my was so that compromised bill is wanted credit bank because an charged allowed option after without ill told do will automatically when resume changing done thats don notified think use another today often now multiple out moving get girl gf getting youre give grandkids had hacking hackednot hacked guys greedy greed great gouging given gotten got good gas gone going goes go gonna forth garbage games fault far fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end fee feel fees food future fuel from frequent free hand forever forcing for focused feet flat fixed fix first financially financial finally fiance few half higher happy kidding keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn iny kept kids hard lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid intolerable into interested instead hosehold horrible holder history hiking hikes hike email high her help health he having havent has hardly house household households income inflation increments increasses increasing increases increased increase in how improvements im if idea husband hungry huge emails double elsewhere being biden biased biannually bf between better benefits benefit begin aunt before been becoming became be barely back awhile biggest billing billings bills cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit away at care adding againlater again afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any anticonsumer annually and amounts amount amercian am also already almost card cared else deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting eliminating el edge easily earlier each duplicate due drive drastically drain down live dont doesnt divorce disgusts customer current caring checking combining combine college climbing climb city choose choice cheaper currency charging charges charge changes changed change cell caused come coming company compared creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected competitive little loyal living spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping situation system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid some single ridiculous save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services thank thanks the way whats what were went well weeks week we waste while warrant wants want waiting wait vs virtue value where who their wouldn youll you yet years yearly year yall ya would why worth workable work wont won with willing wife vaccine ut using tightening tracking town tooo too tired tipped times time tight uses throughout through this things thing they these there tried try trying twice users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right return ll nice offer off of nothing nonsense nonesence non no next offset news newest new never needed need must much offered ok move or own overpriced over outside our others other original options on opportunity opening opened ontario only oneday one once moved more retiring lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married months might monthly month money monetary moment mom mistake mind merge may memberships membership members member medical means me maybe owner owning pagos raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession parent repurposing retired
Topic 15 | Coherence=-215991.66 | Top words= to it just pay that is my not have card was do when ill times about automatically going this after told an the be bill without started amount option fault bank charged greedy allowed customers enough and because subscription gotten reality until day worth declined waiting switching increasing users phone they few greed gas hacked guys get garbage getting hackednot hacking gone gf girl gonna great give grandkids given go gouging goes got good games youre future fuel fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining end emails far fee feel focused from frequent free forth forever forcing for food flat fees fixed fix first financially financial finally fiance feet had higher half kids kept keeps keeping keep justify joint join job jacking itself its issues issue isnt isn iny intolerable kidding lack hand laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last into interested instead inflation holder history hiking hikes hike elsewhere high her help health he having havent has hardly hard happy horrible hosehold house improvements increments increasses increases increased increase income in im household if idea husband hungry huge how households email doesnt else benefits billing biggest biden biased biannually bf between better benefit caring being begin before been becoming became barely back billings bills bit blindly care cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both awhile away aunt alarming againlater again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd agree all at allow as aren are apps aparently anyways anymore any anticonsumer another annually amounts amercian am also already almost cared caused eliminating deal direction different differences didnt deteriorated delivering decisions death days cell daughter date damn dad cutting cut customer currently disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double dont done don living divorce current currency creep coming combining combine college climbing climb city choose choice checking cheaper charging charges charge changing changes changed change come company credit compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive live loyal ll sorry starting start squeeze spouses spouse spending spend span soon stay son something someone some so situation single since states stealing signaling success temporarily taste talk taking take system support summer subscriptions stepdad subscribers subscriber sub stupid stranger stopping stopped stop significant sign terrible rule second scaling scales saving save same run rules rotating see rising risen rise ripped right ridiculous return retiring secure seems sight shady sick shoves shouldn should short she sharing share several seen settled set servicio services service series sense selection temporary than location way whats what were went well weeks week we waste while warrant wants wanted want wait vs virtue value where who ut wouldn youll you yet years yearly year yall ya would why workable work wont won with willing will wife vaccine using thank throughout tooo too today tired tipped time tightening tight through tracking think things thing these there their thats thanks town tried uses unnecessary used use us upward upping upcoming up unneeded unfortunately try unfair unemployed understand under unable two twice trying retired resume resubscribe next now notified nothing nonsense nonesence non no nice news off newest new never needed need must multiple much of offer moved opened our others other original or options opportunity opening ontario offered only oneday one once on ok often offset moving move restriction your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may more mind months monthly month money monetary moment mom mistake might maybe merge memberships membership members member medical means me out outside over quickly re rather rates rate raising raises raised raise quality really putting put pushed provider profits profit profiles problem reactivate reason overpriced renewing restrict
Topic 16 | Coherence=-226221.26 | Top words= you about extra family increase like are taste extortion its disgusting company my youre charge have greedy don but different me share for bill subscriptions limit when of news idea the pay subscription with outside states and paying power want better prices services offer others lesser unable summer health activities workable agree currently only ok absurd give girl gf getting given expensive good go goes going gone gonna gas got entertaining gotten enough gouging grandkids end great greed get free garbage games few feet especially fees euro feel fee fault even every far fan fair everything fact face expected fiance finally financial entertainment future fuel from frequent expenses forth forever forcing financially hacked food focused flat fixed fix first guys having hackednot inflation justify just joint join job jacking itself it issues issue isnt isn is iny intolerable into interested keep keeping keeps leave limited life letting let less legacy left learning kept layoff later last laid lack kids kidding instead increments hacking increasses hiking hikes hike higher high her help he email havent has hardly hard happy hand half had history holder horrible ill increasing increases increased income in improvements im if hosehold husband hungry huge how households household house emails double elsewhere begin biden biased biannually bf between benefits benefit being before billing been becoming because became be barely bank back biggest billings else by card cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit awhile away automatically addresses all alarming againlater again after afford adicional addtional additional aunt addition adding added acct accounts account access acceptance allow allowed almost already at as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also care cared caring deal direction differences didnt deteriorated delivering declined decisions death days current day daughter date damn dad cutting cut customers disappointed discontinue disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain down little dont done doesnt do customer currency caused checking combining combine college climbing climb city choose choice cheaper creep charging charges charged changing changes changed change cell come coming compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limiting loyal live squeeze stopped stop stepdad stealing stay starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some temporarily their thats that thanks thank than terrible temporary talk sub taking take system switching support success subscribers subscriber someone so living save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation shouldn single since significant signaling sign sight sick shoves should service short she sharing shady several settled set servicio there these they waste what were went well weeks week we way was where warrant wants wanted waiting wait vs virtue value whats while thing would youll yet years yearly year yall ya wouldn worth who work wont won without willing will wife why vaccine ut using tipped tracking town tooo too told today to tired times uses time tightening tight throughout through this think things tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two right ridiculous return newest nothing not nonsense nonesence non no nice next new now never needed need must multiple much moving moved notified off own opportunity over out our other original or options option opening offered opened ontario oneday one once on often offset move more months lost making makes make made luck loyalty your lower losing monthly loose looking longer long lol locations location ll manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may overpriced owner retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying owning reside retired
Topic 17 | Coherence=-226292.55 | Top words= too it is for prices expensive the now price me keep much not many new year seems other added worth service no but when upward good unfortunately every options ill nothing has really entertaining have after ok consider increases increase vs later stupid rule charges longer right maybe offered itself on adding its climb raise whats isn increasing system overpriced resume sharing about raising cannot ll making free isnt opened interested frequent gonna goes gone go going give given from fuel garbage future girl games gf getting get gas forth youre forever fan fair fact face extra extortion expenses expected everything even euro especially entertainment enough end emails family far forcing fault food focused flat fixed fix first financially financial finally fiance got feet fees feel fee few havent gotten join jacking issues issue iny intolerable into instead inflation increments increasses increased income in improvements im job joint idea just less legacy left leave learning layoff last laid lack kids kidding kept keeps keeping justify if husband gouging he elsewhere hardly hard happy hand half had hacking hackednot hacked guys greedy greed great grandkids having health hungry help huge how households household house hosehold horrible holder history hiking hikes hike higher high her email drain else care biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile biden biggest bill buggin cant cancelling canceling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt addresses all alarming agree againlater again afford adicional addtional additional allowed addition activities acct accounts account access acceptance absurd allow almost at anticonsumer as aren are apps aparently anyways anymore any another already annually and an amounts amount amercian am also card cared eliminating caring direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers disappointed discontinue disgusting drastically el edge easily earlier each duplicate due drive let disgusts down double dont done don doesnt do divorce customer currently current cheaper combining combine college climbing city choose choice checking charging coming charged charge changing changes changed change cell caused come company currency continues creep credit covid courtesy country costs cost continuous continue compared continually continously constantly constant consolidating connected compromised competitive lesser loyal letting states sub stranger stopping stopped stop stepdad stealing stay starting soon started start squeeze spouses spouse spending spend span subscriber subscribers subscription subscriptions their thats that thanks thank than terrible temporary temporarily taste talk taking take switching support summer success sorry son rise second servicio services series sense selection seen see secure scaling something scales saving save same run rules rotating rising set settled several shady someone some so situation single since significant signaling sign sight sick shoves shouldn should short she share there these they way where what were went well weeks week we waste thing was warrant wants wanted want waiting wait virtue while who why wife youll you yet years yearly yall ya wouldn would workable work wont won without with willing will value vaccine ut try tracking town tooo told today to tired tipped times time tightening tight throughout through this think things tried trying using twice uses users used use us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two risen ripped life never notified nonsense nonesence non nice next news newest needed monthly need my must multiple moving moved move more of off offer offset own over outside out our others original or option opportunity opening ontario only oneday one once often months month ridiculous lol loyalty your lower lost losing loose looking long locations money location living live little limiting limited limit like luck made make makes monetary moment mom mistake mind might merge memberships membership members member medical means may married market manservices owner owning pagos rates recession recently recent reason reality reactivate re rather rate parent raises raised quickly quality putting put pushed provider rectifying redo reduce
Topic 18 | Coherence=-227359.37 | Top words= my the you it in to are subscription already by too can this time or as expensive made use just putting activities choose months into between moved price many kids last and much that was other hacked see have one increase everything raising me being else opened mistake duplicate stranger hard fix used is am never repurposing ll own poland notified amount good grandkids greedy gonna games gone garbage gas future get going getting greed goes go great gotten given give girl gf gouging got youre fuel from fault far fan family fair fact face extra extortion expenses expected every even euro especially entertainment entertaining fee feel fees focused frequent free forth forever forcing for food flat feet fixed first financially financial finally fiance few guys higher hackednot issue joint join job jacking itself its issues isnt hacking isn iny intolerable interested instead inflation increments justify keep keeping keeps life letting let lesser less legacy left leave learning layoff later laid lack kidding kept increasses increasing increases hiking hike end high her help health he having havent has hardly happy hand half had hikes history increased holder income improvements im ill if idea husband hungry huge how households household house hosehold horrible enough drastically emails benefits billing bill biggest biden biased biannually bf better benefit bills begin before been becoming because became be barely billings bit back cancel caring cared care card cant cannot cancelling canceling bye blindly but business buggin budget broke break boyfriend both bank awhile cell addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all away any automatically aunt at aren apps aparently anyways anymore anticonsumer allow another annually an amounts amercian also almost allowed caused change email decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts customers drive elsewhere eliminating el edge easily earlier each due limit divorce drain down double dont done don doesnt do cut customer changed city company coming come combining combine college climbing climb choice competitive checking cheaper charging charges charged charge changing changes compared compromised currently cost current currency creep credit covid courtesy country costs continuous connected continues continue continually continously constantly constant consolidating consider like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stopping sub limiting talk thats thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers something someone some scaling service series sense selection seen seems secure second scales so saving save same run rules rule rotating rising services servicio set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several their there these weeks while where when whats what were went well week vs we way waste warrant wants wanted want waiting who why wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing wait virtue they tired trying try tried tracking town tooo told today tipped value times tightening tight throughout through think things thing twice two unable under vaccine ut using uses users us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand risen rise ripped non offer off of now nothing not nonsense nonesence no moving nice next news newest new needed need must offered offset often ok owner overpriced over outside out our others original options option opportunity opening ontario only oneday once on multiple move pagos loose makes make luck loyalty your lower lost losing looking more longer long lol locations location living live little making manservices market married monthly month money monetary moment mom mind might merge memberships membership members member medical means maybe may owning parent right re rectifying recession recently recent reason really reality reactivate rather provider rates rate raises raised raise quickly quality put redo reduce reducing reflect
Topic 19 | Coherence=-223749.54 | Top words= to of enough up being prices re keep were cared wouldn greedy leave understand means begin hiking what change ll the high us if this only about you that with country when price in need other one selection scales finally billing goes tipped direction hike continually sharing date moving stopping opportunity new at every due redo membership out bye twice lost customers also gouging garbage gotten grandkids great future fuel games getting got good gonna gas gone going go given give gf get girl youre from fault fan family fair fact face extra extortion expensive expenses expected everything even euro especially entertainment entertaining end far fee frequent feel free forth forever forcing for food focused flat fixed fix first financially financial fiance few feet fees greed he guys hacked join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation joint just justify layoff letting let lesser less legacy left learning later keeping last laid lack kids kidding kept keeps increments increasses increasing has her help health email having havent have hardly hikes hard happy hand half had hacking hackednot higher history increases husband increased increase income improvements im ill idea hungry holder huge how households household house hosehold horrible emails done elsewhere becoming biannually bf between better benefits benefit before been because biden became be barely bank back awhile away automatically biased biggest else buggin cannot cancelling canceling cancel can by but business budget bill broke break boyfriend both blindly bit bills billings aunt as aren addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts account access acceptance absurd agree alarming all allow apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am already almost allowed cant card care death disappointed different differences didnt deteriorated delivering declined decisions deal current days day daughter damn dad cutting cut customer discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate drive drastically drain down double dont like don doesnt do currently currency caring cheaper combine college climbing climb city choose choice checking charging creep charges charged charge changing changes changed cell caused combining come coming company credit covid courtesy costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared life loyal limit spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stop stopped stranger temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid so single than run seems see secure second scaling saving save same rules since rule rotating rising risen rise ripped right ridiculous seen sense series service significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services terrible thank retiring was whats went well weeks week we way waste warrant ut wants wanted want waiting wait vs virtue value where while who why youll yet years yearly year yall ya would worth workable work wont won without willing will wife vaccine using thanks throughout too told today tired times time tightening tight through uses think things thing they these there their thats tooo town tracking tried users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two trying try return retired limited news nothing not nonsense nonesence non no nice next newest months never needed my must multiple much moved move notified now off offer outside our others original or options option opening opened ontario oneday once on ok often offset offered more monthly overpriced looking make made luck loyalty your lower losing loose longer month long lol locations location living live little limiting makes making manservices many money monetary moment mom mistake mind might merge memberships members member medical me maybe may married market over own resume raised really reality reactivate rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 20 | Coherence=-234340.56 | Top words= you for sharing and the to subscription pay extra will that my keep charge charging im prices no people family with more if from want new just greed fee youre won using guys subscriptions an support because charges loose longer cant they me something parents stop declined can got paying card what every another month opportunity being elsewhere us this raising cheaper policies biased constant get allow at vaccine forth euro going financial especially gone gonna finally fiance face good few fact gotten gouging feet entertainment fair grandkids great entertaining enough greedy fees feel fault far financially first free expected frequent forever hacked expensive forcing extortion fuel expenses food fan focused games garbage even everything gas flat getting gf fixed girl give given go fix goes future he hackednot increasses join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation joint justify keeping learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept increments increasing hacking increases hike higher high her help health emails having havent have has hardly hard happy hand half had hikes hiking history husband increased increase income in improvements ill idea hungry holder huge how households household house hosehold horrible end don email begin biggest biden biannually bf between better benefits benefit before automatically been becoming became be barely bank back awhile bill billing billings bills care cannot cancelling canceling cancel bye by but business buggin budget broke break boyfriend both blindly bit away aunt else adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater agree alarming all aren are apps aparently anyways anymore any anticonsumer annually amounts amount amercian am also already almost allowed cared caring caused decisions discontinue disappointed direction different differences didnt deteriorated delivering death cell deal days day daughter date damn dad cutting disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done like doesnt cut customers customer competitive company coming come combining combine college climbing climb city choose choice checking charged changing changes changed change compared compromised currently connected current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider life loyal limit spend states starting started start squeeze spouses spouse spending span significant sorry soon son someone some so situation single stay stealing stepdad stopped terrible temporary temporarily taste talk taking take system switching summer success subscribers subscriber sub stupid stranger stopping since signaling thank rules secure second scaling scales saving save same run rule sign rotating rising risen rise ripped right ridiculous return see seems seen selection sight sick shoves shouldn should short she share shady several settled set servicio services service series sense than thanks retired waste whats were went well weeks week we way was uses warrant wants wanted waiting wait vs virtue value when where while who youll yet years yearly year yall ya wouldn would worth workable work wont without willing wife why ut users thats tightening tooo too told today tired tipped times time tight used throughout through think things thing these there their town tracking tried try use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retiring resume limited news notified nothing not nonsense nonesence non nice next newest months never needed need must multiple much moving moved now of off offer other original or options option opening opened ontario only oneday one once on ok often offset offered move monthly our looking make made luck loyalty your lower lost losing long money lol locations location ll living live little limiting makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market others out resubscribe raised really reality reactivate re rather rates rate raises raise problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 21 | Coherence=-230057.67 | Top words= the your and access you subscription we price many will why now too where increments canceling luck checking good greed am be to is people tracking their how only they fee again locations increase upcoming us use anticonsumer need household start in moved so one boyfriend there ridiculous limiting with of single constant back combining expenses starting nonsense reason get elsewhere gas getting garbage enough games gone great end going girl grandkids give gouging gotten given got emails go email gonna goes gf expected future fact fees feel fault far entertainment fan family fair especially fuel euro even face extra extortion expensive every everything feet entertaining few fiance from frequent free forth forever forcing for food focused flat greedy fixed fix first financially financial finally youre her guys hacked joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation just justify keep layoff let lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps increasses increasing increases has eliminating help health he having havent have hardly higher hard happy hand half had hacking hackednot high hike increased hungry income improvements im ill if idea husband huge hikes households house hosehold horrible holder history hiking else do el being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank awhile biggest billing edge but card cant cannot cancelling cancel can bye by business billings buggin budget broke break both blindly bit bills away automatically aunt addition agree againlater after afford adicional addtional addresses additional adding at added activities acct accounts account acceptance absurd about alarming all allow allowed as aren are apps aparently anyways anymore any another annually an amounts amount amercian also already almost care cared caring deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting easily earlier each duplicate due drive drastically drain down double dont done don doesnt life divorce disgusts customer current caused cheaper come combine college climbing climb city choose choice charging currency charges charged charge changing changes changed change cell coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised letting loyal like span stay states started squeeze spouses spouse spending spend sorry sign soon son something someone some situation since significant stealing stepdad stop stopped temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger stopping signaling sight terrible rule second scaling scales saving save same run rules rotating sick rising risen rise ripped right return retiring retired secure see seems seen shoves shouldn should short she sharing share shady several settled set servicio services service series sense selection temporary than resubscribe was what were went well weeks week way waste warrant ut wants wanted want waiting wait vs virtue value whats when while who youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife vaccine using thank throughout told today tired tipped times time tightening tight through uses this think things thing these thats that thanks tooo town tried try users used upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resume restriction limit newest nothing not nonesence non no nice next news new months never needed my must multiple much moving move notified off offer offered our others other original or options option opportunity opening opened ontario oneday once on ok often offset more monthly outside looking makes make made loyalty lower lost losing loose longer month long lol location ll living live little limited making manservices market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may out over restrict quickly re rather rates rate raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reactivate reality really recent
Topic 22 | Coherence=-212641.89 | Top words= and it going up much too keeps the am use cost has expensive is fixed income but just never afford service rising hardly financial on as was way good unemployed before risen quickly barely non down retired drain unfortunately biggest changed situation this earlier issues fee tooo deal upward broke membership flat she kidding climbing that games future fuel from youre getting garbage gone greed great grandkids gouging gotten got gonna goes gas go given give girl gf free get frequent financially forth even face extra extortion expenses expected everything every euro forever especially entertainment entertaining enough end emails email fact fair family fan forcing for food focused fix first guys finally fiance few feet fees feel fault far greedy her hacked kids keeping keep justify joint join job jacking itself its issue isnt isn iny intolerable into interested instead kept lack increments laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last inflation increasses hackednot history hikes hike higher high else help health he having havent have hard happy hand half had hacking hiking holder increasing horrible increases increased increase in improvements im ill if idea husband hungry huge how households household house hosehold elsewhere don eliminating been biannually bf between better benefits benefit being begin becoming card because became be bank back awhile away automatically biased biden bill billing cannot cancelling canceling cancel can bye by business buggin budget break boyfriend both blindly bit bills billings aunt at aren agree again after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming are all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed allow cant care el daughter didnt deteriorated delivering declined decisions death days day date cared damn dad cutting cut customers customer currently current differences different direction disappointed edge easily each duplicate due drive drastically double dont done living doesnt do divorce disgusts disgusting discontinue currency creep credit combining college climb city choose choice checking cheaper charging charges charged charge changing changes change cell caused caring combine come covid coming courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company live loyal ll squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger some system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub someone so resume same seems see secure second scaling scales saving save run selection rules rule rotating rise ripped right ridiculous return seen sense single should since significant signaling sign sight sick shoves shouldn short series sharing share shady several settled set servicio services thank thanks thats weeks while where when whats what were went well week why we waste warrant wants wanted want waiting wait who wife their wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs virtue value tightening town told today to tired tipped times time tight vaccine throughout through think things thing they these there tracking tried try trying ut using uses users used us upping upcoming until unneeded unnecessary unfair understand under unable two twice retiring resubscribe location no off of now notified nothing not nonsense nonesence nice offered next news newest new needed need my must offer offset moving option outside out our others other original or options opportunity often opening opened ontario only oneday one once ok multiple moved restriction your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may move mistake more months monthly month money monetary moment mom mind maybe might merge memberships members member medical means me over overpriced own raise reactivate re rather rates rate raising raises raised quality really putting put pushed provider profits profit profiles problem reality reason owner renewing restrict
Topic 23 | Coherence=-216751.80 | Top words= be back will to of payment need on end month move got can laid when ill break getting else off long taking has while renewing high way subscriptions my raised next rotating payday already emails double different another spending something platform hikes monetary own same everything im cutting life might instead date week come repurposing soon divorce switching few raise time no why aren afford is frequent fixed flat layoff goes focused food for forcing forever go forth free lack girl from given fuel give future first games garbage gas get later last gf fix interested financially face less extortion expensive expenses expected lesser every even euro especially entertainment entertaining enough let letting extra fact financial legacy finally fiance going feet fees feel fee learning fault far leave fan family fair left kids good gone gonna idea husband hungry it huge how its households household house hosehold horrible holder itself jacking if issues issue increases inflation increments increasses into intolerable increasing iny isnt increased increase income in improvements isn history hiking job greedy had hacking hackednot hacked guys keeps greed hand great grandkids gouging gotten kept kidding half happy hike health higher join joint just her help he hard having justify have keep hardly keeping havent youre email begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank awhile away biden bill care business cant cannot cancelling canceling cancel bye by but buggin billing budget broke boyfriend both blindly bit bills billings automatically aunt at adding againlater again after adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer annually and an amounts amount amercian am also almost allowed card cared elsewhere days differences didnt deteriorated delivering declined decisions death deal day disappointed daughter damn dad cut customers customer currently current direction discontinue caring drive eliminating el edge easily earlier each duplicate due drastically disgusting drain like dont done don doesnt do disgusts currency creep credit charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed change cell caused combine combining coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared down loyal limit starting stranger stopping stopped stop stepdad stealing stay states started some start squeeze spouses spouse spend span sorry son stupid sub subscriber subscribers the thats that thanks thank than terrible temporary temporarily taste talk take system support summer success subscription someone so there scaling series sense selection seen seems see secure second scales situation saving save run rules rule rising risen rise service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled their these right was whats what were went well weeks we waste warrant ut wants wanted want waiting wait vs virtue value where who wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with vaccine using they tipped tried tracking town tooo too told today tired times uses tightening tight throughout through this think things thing try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous limited news now notified nothing not nonsense nonesence non nice newest months new never needed must multiple much moving moved offer offered offset often out our others other original or options option opportunity opening opened ontario only oneday one once ok more monthly over looking made luck loyalty your lower lost losing loose longer money lol locations location ll living live little limiting make makes making manservices moment mom mistake mind merge memberships membership members member medical means me maybe may married market many outside overpriced return rate recent reason really reality reactivate re rather rates raising profiles raises quickly quality putting put pushed provider profits recently recession rectifying redo
Topic 24 | Coherence=-227384.23 | Top words= money and to need don use it dont anymore as enough services continues save do other go the much memberships no husband married my just two want get like not got fees adding recently now more another spend agree me virtue prices signaling political right share be quality customers drain warrant platforms trying prefer reflect becoming so barely stop gouging forth forever gotten goes free future given frequent from fuel gonna games garbage gone give girl gf gas getting good going youre forcing fan fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining family far for fault food focused flat fixed fix first great financially financial finally fiance few feet feel fee grandkids having greed isn join job jacking itself its issues issue isnt is increases iny intolerable into interested instead inflation increments increasses joint justify keep keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasing increased greedy hardly high her help health he havent have has hard increase happy hand half had hacking hackednot hacked guys higher hike hikes hiking income in improvements im ill if idea hungry huge how households household house hosehold horrible holder history end double emails benefits bill biggest biden biased biannually bf between better benefit billings being begin before been because became bank back billing bills cared by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly awhile away automatically addition againlater again after afford adicional addtional addresses additional added aunt activities acct accounts account access acceptance absurd about alarming all allow allowed at aren are apps aparently anyways any anticonsumer annually an amounts amount amercian am also already almost care caring email days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customer currently different disappointed caused duplicate elsewhere else eliminating el edge easily earlier each due discontinue drive drastically down done doesnt divorce disgusts disgusting current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changing changes changed change cell combining come coming company covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared life loyal limit states sub stupid stranger stopping stopped stepdad stealing stay starting subscribers started start squeeze spouses spouse spending span sorry subscriber subscription limited temporarily their thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success soon son something scales sense selection seen seems see secure second scaling saving someone same run rules rule rotating rising risen rise series service servicio set some situation single since significant sign sight sick shoves shouldn should short she sharing shady several settled there these they well who while where when whats what were went weeks vs week we way waste was wants wanted waiting why wife will willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with wait value thing tipped tried tracking town tooo too told today tired times vaccine time tightening tight throughout through this think things try twice unable under ut using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped ridiculous return next off of notified nothing nonsense nonesence non nice news months newest new never needed must multiple moving moved offer offered offset often out our others original or options option opportunity opening opened ontario only oneday one once on ok move monthly over longer luck loyalty your lower lost losing loose looking long month lol locations location ll living live little limiting made make makes making monetary moment mom mistake mind might merge membership members member medical means maybe may market many manservices outside overpriced retiring raising reason really reality reactivate re rather rates rate raises profiles raised raise quickly putting put pushed provider profits recent recession rectifying redo
Topic 25 | Coherence=-223100.56 | Top words= and money using that bill the my with outside don when subscription power share states paying about family extra want idea news keep of limit me not on in been because years havent stealing from yall going hosehold made damn losing cant due it fiance fault spend are system hungry gas garbage get games getting youre gf girl guys greedy greed great grandkids gouging gotten got good gonna future goes go given give gone focused fuel every fair fact face extortion expensive expenses expected everything even frequent euro especially entertainment entertaining enough end emails email fan far fee feel free forth forever forcing for food hackednot flat fixed fix first financially financial finally few feet fees hacked help hacking interested keeps keeping justify just joint join job jacking itself its issues issue isnt isn is iny intolerable kept kidding kids less limiting limited like life letting let lesser legacy lack left leave learning layoff later last laid into instead had inflation hiking hikes hike higher high her else health he having have has hardly hard happy hand half history holder horrible improvements increments increasses increasing increases increased increase income im house ill if husband huge how households household elsewhere double eliminating begin biased biannually bf between better benefits benefit being before biggest becoming became be barely bank back awhile away biden billing aunt business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically at care addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all as annually aren apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed card cared el day didnt deteriorated delivering declined decisions death deal days daughter different date dad cutting cut customers customer currently current differences direction creep down edge easily earlier each duplicate drive drastically drain live disappointed dont done doesnt do divorce disgusts disgusting discontinue currency credit caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company little loyal living squeeze stopping stopped stop stepdad stay starting started start spouses stupid spouse spending span sorry soon son something someone stranger sub so taste their thats thanks thank than terrible temporary temporarily talk subscriber taking take switching support summer success subscriptions subscribers some situation ll save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series single should since significant signaling sign sight sick shoves shouldn short service she sharing shady several settled set servicio services there these they waste what were went well weeks week we way was where warrant wants wanted waiting wait vs virtue value whats while thing worth youll you yet yearly year ya wouldn would workable who work wont won without willing will wife why vaccine ut uses tipped tracking town tooo too told today to tired times users time tightening tight throughout through this think things tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right ridiculous return non offered offer off now notified nothing nonsense nonesence no often nice next newest new never needed need must offset ok owning or own overpriced over out our others other original options once option opportunity opening opened ontario only oneday one multiple much moving your market many manservices making makes make luck loyalty lower moved lost loose looking longer long lol locations location married may maybe means move more months monthly month monetary moment mom mistake mind might merge memberships membership members member medical owner pagos retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parent reside retired
Topic 26 | Coherence=-221545.40 | Top words= the not worth increase price enough to for be currently used no cost service me way longer justify of what expensive isnt value charge given long amount thanks can getting offered happy changes why phone raising living policy mom more from same almost customers rising manservices has taste since like choice garbage fuel future games youre gas good greed great grandkids gouging gotten got gonna get gone goes go give girl gf going fixed frequent everything family fair fact face extra extortion expenses expected every free even euro especially entertainment entertaining end emails email fan far fault fee forth forever forcing food focused flat guys fix first financially financial finally fiance few feet fees feel greedy he hacked keeping just joint join job jacking itself its it issues issue isn is iny intolerable into interested instead keep keeps increments kept limit life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding inflation increasses hackednot history hikes hike higher high her help health else having havent have hardly hard hand half had hacking hiking holder increasing horrible increases increased income in improvements im ill if idea husband hungry huge how households household house hosehold elsewhere down eliminating been bf between better benefits benefit being begin before becoming biased because became barely bank back awhile away automatically biannually biden at broke canceling cancel bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as cannot adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another and all an amounts amercian am also already allowed allow cancelling cant el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customer direction discontinue currency drain edge easily earlier each duplicate due drive drastically limiting disgusting double dont done don doesnt do divorce disgusts current creep card charges college climbing climb city choose checking cheaper charging charged combining changing changed change cell caused caring cared care combine come credit continously covid courtesy country costs continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company limited loyal little started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub there taking thats that thank than terrible temporary temporarily talk take subscriber system switching support summer success subscriptions subscription subscribers son something someone scaling series sense selection seen seems see secure second scales some saving save run rules rule rotating risen rise services servicio set settled so situation single significant signaling sign sight sick shoves shouldn should short she sharing share shady several their these right waste when whats were went well weeks week we was while warrant wants wanted want waiting wait vs virtue where who they wouldn youll you yet years yearly year yall ya would wife workable work wont won without with willing will vaccine ut using times tracking town tooo too told today tired tipped time uses tightening tight throughout through this think things thing tried try trying twice users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped ridiculous live non offset offer off now notified nothing nonsense nonesence nice ok next news newest new never needed need my often on owner or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one must multiple much your market many making makes make made luck loyalty lower moving lost losing loose looking lol locations location ll married may maybe means moved move months monthly month money monetary moment mistake mind might merge memberships membership members member medical own owning return rates recently recent reason really reality reactivate re rather rate rectifying raises raised raise quickly quality putting put pushed recession redo pagos residence retiring
Topic 27 | Coherence=-223936.97 | Top words= you do subscriptions dont have the keep need your are not why in more than good with so rates other who one thing higher services needed same others up and moved forth put house want really guys cost two paying quality significant multiple less to done down constant garbage creep went we get only popular series should cannot blindly canceling our household billings enough aparently stopped warrant temporarily re scaling users terrible lol as gf husband its financial financially first finally fix fiance kept fixed keeps flat focused keeping improvements food for forcing forever justify just free frequent from fuel future games joint join job few kids kidding feet last everything later layoff learning leave every even euro especially entertainment entertaining left end emails laid expected lack fan fees jacking feel fee fault far family expenses fair fact face extra extortion expensive gas given itself inflation hikes hike increasses increments high her help has instead health he interested having havent hiking history holder horrible increasing hosehold increases households increased how increase income huge hungry idea if ill into intolerable getting gonna gouging issue issues gotten got it gone hardly going goes go im give girl grandkids great greed greedy isnt hacked hackednot isn is hacking had half hand iny happy email hard youre disgusts elsewhere been bf between better benefits benefit being begin before becoming aunt because became be barely bank back awhile away biannually biased biden biggest cancelling cancel can bye by but business buggin budget broke break boyfriend both bit bills billing bill automatically at card adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all apps anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cant care else day didnt deteriorated delivering declined decisions death deal days daughter currency date damn dad cutting cut customers customer currently differences different direction disappointed eliminating el edge easily earlier each duplicate due drive drastically drain double don doesnt divorce disgusting discontinue current credit cared charges climbing climb city choose choice checking cheaper charging charged covid charge changing changes changed change cell caused caring college combine combining come courtesy country costs continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared company coming legacy loyal lesser spend states starting started start squeeze spouses spouse spending span thanks sorry soon son something someone some situation single stay stealing stepdad stop temporary taste talk taking take system switching support summer success subscription subscribers subscriber sub stupid stranger stopping since signaling sign second saving save run rules rule rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe scales secure sight see sick shoves shouldn short she sharing share shady several settled set servicio service sense selection seen seems thank that let was whats what were well weeks week way waste wants thats wanted waiting wait vs virtue value vaccine ut when where while wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will using uses used tooo told today tired tipped times time tightening tight throughout through this think things they these there their too town use tracking us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try tried restriction restrict restart much nice next news newest new never my must moving respect move months monthly month money monetary moment mom no non nonesence nonsense opportunity opening opened ontario oneday once on ok often offset offered offer off of now notified nothing mistake mind might lower losing loose looking longer long locations location ll living live little limiting limited limit like life letting lost loyalty merge luck memberships membership members member medical means me maybe may married market many manservices making makes make made option options or rather raising raises raised raise quickly putting pushed provider profits profit profiles problem pricing prices price president prescription rate reactivate preemptively
Topic 28 | Coherence=-232008.82 | Top words= to have just worth with anymore prices cut life trying for nice forcing iny keeping especially face shoves make lost choice pop subscriber me currently up more expensive the so money you subscription your as not need price raised is possible fees high much due save new bills back rules some expenses manservices these months reduce been gas market now piracy costs spending using am looking limiting we down monthly access eliminating medical from rates drive going really competitive and pick shouldn re go gone expected everything future games garbage get every goes even gf euro girl give given getting fuel extortion good financial financially finally fiance first fix fixed few feet flat focused feel fee food fault far fan forever forth family fair free frequent fact extra gonna having got ill issue isnt isn intolerable into interested instead inflation increments increasses increasing increases increased increase income in improvements issues it its kidding learning layoff later last laid lack kids kept itself keeps keep justify joint join job jacking im if gotten idea havent has hardly hard happy hand half had hacking hackednot hacked guys greedy greed great grandkids gouging entertaining he health hosehold husband hungry huge how households household house horrible help holder history hiking hikes hike higher her entertainment youre enough benefit biggest biden biased biannually bf between better benefits being billing begin before becoming because became be barely bank bill billings away by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly awhile automatically cared addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all aunt another at aren are apps aparently anyways any anticonsumer annually allow an amounts amount amercian also already almost allowed care caring end declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day daughter date damn dad disgusting divorce customers each emails email elsewhere else el edge easily earlier duplicate do drastically drain left double dont done don doesnt cutting customer caused cheaper combining combine college climbing climb city choose checking charging coming charges charged charge changing changes changed change cell come company current continues currency creep credit covid courtesy country cost continuous continue compared continually continously constantly constant consolidating consider connected compromised leave loyal legacy states stupid stranger stopping stopped stop stepdad stealing stay starting less started start squeeze spouses spouse spend span sorry sub subscribers subscriptions success their thats that thanks thank than terrible temporary temporarily taste talk taking take system switching support summer soon son something service sense selection seen seems see secure second scaling scales saving same run rule rotating rising risen rise series services someone servicio situation single since significant signaling sign sight sick should short she sharing share shady several settled set there they thing while when whats what were went well weeks week way waste was warrant wants wanted want waiting wait where who virtue why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife vs value things twice tried tracking town tooo too told today tired tipped times time tightening tight throughout through this think try two vaccine unable ut uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous offered off of notified nothing nonsense nonesence non no next news newest never needed my must multiple moving offer offset move often our others other original or options option opportunity opening opened ontario only oneday one once on ok moved month outside loyalty losing loose longer long lol locations location ll living live little limited limit like letting let lesser lower luck monetary made moment mom mistake mind might merge memberships membership members member means maybe may married many making makes out over return rectifying recently recent reason reality reactivate rather rate raising raises raise quickly quality putting put pushed provider profits recession redo profiles
Topic 29 | Coherence=-224415.47 | Top words= worth you re not your it and charge for college sign she uses ut anyways extra thank daughter my bye is when me no good going to in price increasing new keeps raising while continually delivering point little value allow the kidding pleased policies support pop want with charging isn fuel frequent from future games garbage expected gas get greed great grandkids gouging gotten got gonna gone email goes go given emails give girl gf getting free entertaining end feet even feel every fee fault far fan family fair fact face everything extortion expensive expenses fees euro forth especially forever forcing enough food focused flat fixed fix first greedy financial finally fiance entertainment few financially youre guys issues justify just joint join job jacking itself its issue increases isnt iny intolerable into interested instead inflation increments keep keeping kept kids limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack increasses increased hacked have high her help health he having else havent has increase hardly hard happy hand half had hacking hackednot higher hike hikes hiking income improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history elsewhere double eliminating been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden aunt broke canceling cancel can by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill automatically at el adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as annually aren are apps aparently anymore any anticonsumer another an all amounts amount amercian am also already almost allowed cancelling cannot cant day differences didnt deteriorated declined decisions death deal days date direction damn dad cutting cut customers customer currently current different disappointed card drain edge easily earlier each duplicate due drive drastically down discontinue dont done don doesnt do divorce disgusts disgusting currency creep credit charged climbing climb city choose choice checking cheaper charges changing covid changes changed change cell caused caring cared care combine combining come coming courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared company limiting loyal live spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping that system than terrible temporary temporarily taste talk taking take switching stranger summer success subscriptions subscription subscribers subscriber sub stupid some so situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series service since significant signaling sight sick shoves shouldn should short sharing share shady several settled set servicio services thanks thats ridiculous was were went well weeks week we way waste warrant whats wants wanted waiting wait vs virtue vaccine using what where their would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why users used use tight too told today tired tipped times time tightening throughout us through this think things thing they these there tooo town tracking tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try right return living next of now notified nothing nonsense nonesence non nice news offer newest never needed need must multiple much moving off offered outside opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moved move more lost manservices making makes make made luck loyalty lower losing months loose looking longer long lol locations location ll many market married may monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe out over retiring raises recent reason really reality reactivate rather rates rate raised recession raise quickly quality putting put pushed provider profits recently rectifying overpriced reside retired
Topic 30 | Coherence=-222155.41 | Top words= no price with for been don good benefits long changing nonsense this keeps added to too climb increases more benefit better you service value customer at its help unable longer all services my billing date legacy respect members run continues frequent change worth money tired like often keep creep loyal so your garbage gone guys greedy greed great free grandkids gouging gotten got gonna going gas goes go from given give fuel girl getting get future games gf flat forth forever fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end family fan far financially forcing food focused hackednot fixed fix first financial fault finally fiance few feet fees feel fee hacked high hacking keeping just joint join job jacking itself it issues issue isnt isn is iny intolerable into interested instead justify kept had kidding limiting limited limit life letting let lesser less left leave learning layoff later last laid lack kids inflation increments increasses increasing hiking hikes hike higher email her health he having havent have has hardly hard happy hand half history holder horrible if increased increase income in improvements im ill idea hosehold husband hungry huge how households household house emails down elsewhere becoming biden biased biannually bf between being begin before because as became be barely bank back awhile away automatically biggest bill billings bills cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit aunt aren card addition againlater again after afford adicional addtional addresses additional adding are activities acct accounts account access acceptance absurd about agree alarming allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost cant care else decisions disappointed direction different differences didnt deteriorated delivering declined death currently deal days day daughter damn dad cutting cut discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain live double dont done doesnt do customers current cared cheaper combining combine college climbing city choose choice checking charging currency charges charged charge changes changed cell caused caring come coming company compared credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive little youre living starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription soon something right scales sense selection seen seems see secure second scaling saving servicio save same rules rule rotating rising risen rise series set someone sick some situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several thats the their way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while there would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why virtue vaccine ut time tried tracking town tooo told today tipped times tightening using tight throughout through think things thing they these try trying twice two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped ridiculous ll nothing ok offset offered offer off of now notified not once nonesence non nice next news newest new never on one need other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only needed must return luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking lol locations location may me multiple moment much moving moved move months monthly month monetary mom means mistake mind might merge memberships membership member medical owning pagos parent rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parents reside retiring
Topic 31 | Coherence=-206613.58 | Top words= my with someone away passed moved who in family account subscription it has subscriber hacked son she had is mom keeps currently already hacking paying parent owning acct person not aunt reside today owner allow living guys garbage gouging games get hackednot future fuel gas greedy gotten getting got good grandkids great gonna frequent gone going goes go given give greed girl gf from youre free even face extra extortion expensive expenses expected everything every euro fair especially entertainment entertaining enough end emails email elsewhere fact fan forth financially forever forcing for food focused fixed fix first financial far finally fiance few feet fees feel fee fault flat havent half job kidding kept keeping keep justify just joint join jacking hand itself its issues issue isnt isn iny intolerable kids lack laid last live little limiting limited limit like life letting let lesser less legacy left leave learning layoff later into interested instead hosehold holder history hiking hikes hike higher high her help health he having eliminating have hardly hard happy horrible house inflation household increments increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how households else drive el care biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank bill billing billings but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit back awhile automatically additional agree againlater again after afford adicional addtional addresses addition all adding added activities accounts access acceptance absurd about alarming allowed at anticonsumer as aren are apps aparently anyways anymore any another almost annually and an amounts amount amercian am also card cared edge caring differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer current different direction disappointed down easily earlier each duplicate due location drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting currency creep credit charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company ll loyal locations lol subscribers sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend subscriptions success summer than these there their the thats that thanks thank terrible support temporary temporarily taste talk taking take system switching span sorry soon second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set something sight some so situation single since significant signaling sign sick settled shoves shouldn should short sharing share shady several they thing things we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where why virtue wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vs value think to trying try tried tracking town tooo too told tired two tipped times time tightening tight throughout through this twice unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand rising risen rise nonesence offered offer off of now notified nothing nonsense non often no nice next news newest new never needed offset ok must options over outside out our others other original or option on opportunity opening opened ontario only oneday one once need multiple own luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me much moment moving move more months monthly month money monetary mistake means mind might merge memberships membership members member medical overpriced pagos ripped re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing put restrict right ridiculous
Topic 32 | Coherence=-222360.38 | Top words= and in price my the have to subscriptions will is other continues we are rise married no but got getting moving on with get change back consolidating increases fuel having don entertainment costs cut benefit two rejoin later once sight after climb company month end fiance due accounts fee feet settled job cancelling temporarily combining different be households merge resume location join addtional stupid free cost down week ll forever layoff from frequent learning forth leave increasing future forcing for food focused flat left last garbage games fix gas laid lack kids gf girl give kidding kept given keeps go goes fixed first gone expenses face like limit extra extortion expensive expected financially everything every even euro especially limited fact fair family fan life far fault letting let feel fees lesser few less finally financial legacy going gonna increasses holder house hosehold horrible into intolerable iny history keeping hiking hikes isn isnt hike higher household interested how huge hungry husband instead idea if ill im improvements inflation increments income increase increased high her help joint good keep gotten gouging grandkids great greed justify greedy guys hacked just hackednot hacking had entertaining half hand happy jacking hard hardly has itself havent its it issues he issue health youre enough begin biden biased biannually bf between better benefits being before emails been becoming because became barely bank awhile away biggest bill billing billings cant cannot canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills automatically aunt at all agree againlater again afford adicional addresses additional addition adding added activities acct account access acceptance absurd about alarming allow as allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost card care cared divorce disgusting discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn disgusts do cutting doesnt email elsewhere else eliminating el edge easily earlier each duplicate drive drastically drain little double dont done dad customers caring coming combine college climbing city choose choice checking cheaper charging charges charged charge changing changes changed cell caused come compared customer competitive currently current currency creep credit covid courtesy country continuous continue continually continously constantly constant consider connected compromised limiting loyal live started stopping stopped stop stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stranger subscriber something taste their thats that thanks thank than terrible temporary talk subscribers taking take system switching support summer success subscription son someone living scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services some shoves so situation single since significant signaling sign sick shouldn servicio should short she sharing share shady several set there these they waste when whats what were went well weeks way was while warrant wants wanted want waiting wait vs virtue where who thing wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife value vaccine ut tipped tried tracking town tooo too told today tired times using time tightening tight throughout through this think things try trying twice unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous nonesence offer off of now notified nothing not nonsense non offset nice next news newest new never needed need offered often owning or own overpriced over outside out our others original options ok option opportunity opening opened ontario only oneday one must multiple much your many manservices making makes make made luck loyalty lower moved lost losing loose looking longer long lol locations market may maybe me move more months monthly money monetary moment mom mistake mind might memberships membership members member medical means owner pagos return raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession parent reside retiring
Topic 33 | Coherence=-228509.91 | Top words= price the and of hike too your hikes many subscription has for that like an are newest charging extra lack selection just was since also far gone keep out much member share getting acceptance deteriorated drastically span months it hand company reality biannually is change other increasing in or sharing to up times better absurd using annually caring keeps tired life got buggin hacked high few cheaper before second people limiting climbing nothing fair waste forcing entertainment go fix goes going first even euro fan gonna especially financially financial every good finally fiance fault entertaining feet gotten gouging fee grandkids great given give forever fixed forth fact free frequent food from focused face greed fuel fees future games extortion flat garbage gas get expensive gf expenses expected family everything girl feel help greedy justify join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation joint keeping increasses kept limit letting let lesser less legacy left leave learning layoff later last laid kids kidding increments increases guys history higher her end health he having havent have hardly hard happy half had hacking hackednot hiking holder increased horrible increase income improvements im ill if idea husband hungry huge how households household house hosehold enough youre emails benefit billing bill biggest biden biased bf between benefits being awhile begin been becoming because became be barely bank billings bills bit blindly care card cant cannot cancelling canceling cancel can bye by but business budget broke break boyfriend both back away email additional agree againlater again after afford adicional addtional addresses addition automatically adding added activities acct accounts account access about alarming all allow allowed aunt at as aren apps aparently anyways anymore any anticonsumer another amounts amount amercian am already almost cared caused cell declined disgusting discontinue disappointed direction different differences didnt delivering decisions changed death deal days day daughter date damn dad disgusts divorce do doesnt elsewhere else eliminating el edge easily earlier each duplicate due drive drain down double limited done don cutting cut customers connected competitive compared coming come combining combine college climb city choose choice checking charges charged charge changing changes compromised consider customer consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant dont loyal little started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend sorry soon son stranger sub return talk thats thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers something someone some same seen seems see secure scaling scales saving save run so rules rule rotating rising risen rise ripped right sense series service services situation single significant signaling sign sight sick shoves shouldn should short she shady several settled set servicio their there these well who while where when whats what were went weeks vs week we way warrant wants wanted want waiting why wife will willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with wait virtue they tipped trying try tried tracking town tooo told today time value tightening tight throughout through this think things thing twice two unable under vaccine ut uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand ridiculous retiring live nice off now notified not nonsense nonesence non no next offered news new never needed need my must multiple offer offset retired opportunity overpriced over outside our others original options option opening often opened ontario only oneday one once on ok moving moved move losing making makes make made luck loyalty lower lost loose more looking longer long lol locations location ll living manservices market married may monthly month money monetary moment mom mistake mind might merge memberships membership members medical means me maybe own owner owning raising recent reason really reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 34 | Coherence=-220653.55 | Top words= price increases different have my is service where use ridiculous change many will pay upcoming we anticonsumer locations subscription too in fee with through provider going am getting phone connected amount financial replace two lol cheaper issues get constant cell some free having since short people creep subscriptions another good forth frequent girl great gf from grandkids gone go fuel garbage future goes gonna gas gouging gotten games given got give youre forever face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else extra fact forcing fair for food focused flat fixed first financially finally fiance few feet fees feel fault far fan family fix hardly greed itself keeping keep justify just joint join job jacking its kept it issue isnt isn iny intolerable into interested keeps kidding inflation less limiting limited limit like life letting let lesser legacy kids left leave learning layoff later last laid lack instead increments greedy has hike higher high her help health he havent hard hiking happy hand half had hacking hackednot hacked guys hikes history increasses idea increasing increased increase income improvements im ill if husband holder hungry huge how households household house hosehold horrible eliminating dont el been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden cancelling broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill automatically aunt at adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater agree alarming all aren are apps aparently anyways anymore any annually and an amounts amercian also already almost allowed allow canceling cannot edge day didnt deteriorated delivering declined decisions death deal days daughter direction date damn dad cutting cut customers customer currently differences disappointed cant down easily earlier each duplicate due drive drastically drain double discontinue live done don doesnt do divorce disgusts disgusting current currency credit charged climbing climb city choose choice checking charging charges charge covid changing changes changed caused caring cared care card college combine combining come courtesy country costs cost continuous continues continue continually continously constantly consolidating consider compromised competitive compared company coming little loyal living start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone talk that thanks thank than terrible temporary temporarily taste taking sub take system switching support summer success subscribers subscriber something so ll same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense situation should single significant signaling sign sight sick shoves shouldn she series sharing share shady several settled set servicio services thats the their waste whats what were went well weeks week way was while warrant wants wanted want waiting wait vs virtue when who there wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife value vaccine ut time town tooo told today to tired tipped times tightening using tight throughout this think things thing they these tracking tried try trying uses users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice return retiring retired nice now notified nothing not nonsense nonesence non no next off news newest new never needed need must multiple of offer out opened others other original or options option opportunity opening ontario offered only oneday one once on ok often offset much moving moved loyalty married market manservices making makes make made luck your move lower lost losing loose looking longer long location may maybe me means more months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical our outside resume raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed profits profit profiles really recent over rent resubscribe
Topic 35 | Coherence=-218977.35 | Top words= to my and subscription you live different in that me for charge two kids on another going want re be more cancel membership even mom since will places restrict up unfair use intolerable using city how won go both able addresses fair try continue people squeeze yet disgusting awhile boyfriend out back wants platform extortion less profits payday gf family amercian last its opening far into adding manservices oneday spend months or country every girl getting give everything gotten given euro especially entertaining goes get gonna grandkids entertainment good got gouging gone fuel gas finally fix greed first financially financial fan fiance fact few fault fee feet fees feel fixed face garbage forth games future expected from frequent free expenses flat forever expensive forcing extra food focused great health greedy is jacking itself it issues issue isnt isn iny join interested instead inflation increments increasses increasing increases job joint increase later let lesser legacy left leave learning layoff laid just lack kidding kept keeps keeping keep justify increased income guys hardly help end he having havent have has hard high happy hand half had hacking hackednot hacked her higher improvements households im ill if idea husband hungry huge household hike house hosehold horrible holder history hiking hikes enough dont emails benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because became barely bank bill billings email bye cared care card cant cannot cancelling canceling can by bills but business buggin budget broke break blindly bit away automatically aunt addition agree againlater again after afford adicional addtional additional added at activities acct accounts account access acceptance absurd about alarming all allow allowed as aren are apps aparently anyways anymore any anticonsumer annually an amounts amount am also already almost caring caused cell declined disgusts discontinue disappointed direction differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad divorce do doesnt don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double life done cutting customers change choose company coming come combining combine college climbing climb choice customer checking cheaper charging charges charged changing changes changed compared competitive compromised connected currently current currency creep credit covid courtesy costs cost continuous continues continually continously constantly constant consolidating consider letting youre like spouse stepdad stealing stay states starting started start spouses spending single span sorry soon son something someone some so stop stopped stopping stranger terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid situation significant thank same seems see secure second scaling scales saving save run signaling rules rule rotating rising risen rise ripped right seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service than thanks limit way whats what were went well weeks week we waste ut was warrant wanted waiting wait vs virtue value when where while who youll years yearly year yall ya wouldn would worth workable work wont without with willing wife why vaccine uses thats through today tired tipped times time tightening tight throughout this users think things thing they these there their the told too tooo town used us upward upping upcoming until unneeded unnecessary unfortunately unemployed understand under unable twice trying tried tracking ridiculous return retiring news nothing not nonsense nonesence non no nice next newest move new never needed need must multiple much moving notified now of off our others other original options option opportunity opened ontario only one once ok often offset offered offer moved monthly retired longer luck loyalty your lower lost losing loose looking long month lol locations location ll living little limiting limited made make makes making money monetary moment mistake mind might merge memberships members member medical means maybe may married market many outside over overpriced raises reason really reality reactivate rather rates rate raising raised own raise quickly quality putting put pushed provider profit recent recently recession
Topic 36 | Coherence=-230536.20 | Top words= youre im for subscription extra you using and gonna reason cheaper raising just other services so was taking be is break kept now if money better back ll prices only people we are time of to bit saving summer when business can coming play increases outside broke will over right charging layoff your got take sorry while gf greed greedy gas great getting get emails end girl enough entertainment entertaining grandkids give given go gouging gotten goes going good gone expensive garbage every fiance few feet fees feel fee everything fault far fan family fair expected fact face expenses extortion finally financial games financially future fuel from frequent forth forever especially forcing euro food focused guys flat fixed even fix first free havent hacked increasses joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation justify keep keeping left like life letting let lesser less legacy leave keeps learning later last laid lack kids kidding increments increasing hackednot increased higher high her help health he having elsewhere have has hardly hard happy hand half had hacking hike hikes hiking hungry increase income in improvements ill idea husband huge history how households household house hosehold horrible holder email done else been biannually bf between benefits benefit being begin before becoming biden because became barely bank awhile away automatically aunt biased biggest caring by care card cant cannot cancelling canceling cancel bye but bill buggin budget boyfriend both blindly bills billings billing at as aren adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cared caused eliminating death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting cell drastically el edge easily earlier each duplicate due drive drain disgusts down double dont limited don doesnt do divorce customers customer currently choose company come combining combine college climbing climb city choice current checking charges charged charge changing changes changed change compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider limit loyal limiting squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span soon son something someone stopped stranger retiring taste thats that thanks thank than terrible temporary temporarily talk stupid system switching support success subscriptions subscribers subscriber sub some situation single same seen seems see secure second scaling scales save run since rules rule rotating rising risen rise ripped ridiculous selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio the their there waste whats what were went well weeks week way warrant ut wants wanted want waiting wait vs virtue value where who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vaccine uses these times tracking town tooo too told today tired tipped tightening users tight throughout through this think things thing they tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired little new nonsense nonesence non no nice next news newest never nothing needed need my must multiple much moving moved not notified resume ontario others original or options option opportunity opening opened oneday off one once on ok often offset offered offer move more months losing making makes make made luck loyalty lower lost loose monthly looking longer long lol locations location living live manservices many market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may our out overpriced raised really reality reactivate re rather rates rate raises raise problem quickly quality putting put pushed provider profits profit recent recently recession rectifying
Topic 37 | Coherence=-224219.38 | Top words= of and you care your prices customers increase even rate service for customer garbage this before time paying about other again do raising need take the just start waste things price money to on first hike continue rather learning would continously restriction next preemptively canceling spend stupid services yet raise focused squeeze account aren anymore short amount two death holder horrible have since cost nothing is fault especially expected everything every euro gas get financial getting gf girl give finally games entertainment given go fiance entertaining enough goes going gone gonna feet good expenses expensive far frequent flat fee food fan fixed forcing gotten forever forth family free fair financially feel fix from fact few fuel face extra extortion fees future got youre gouging isn job jacking itself its it issues issue isnt iny increased intolerable into interested instead inflation increments increasses increasing join joint justify keep letting let lesser less legacy left leave layoff later last laid lack kids kidding kept keeps keeping increases income grandkids hand he having havent has emails hardly hard happy half in had hacking hackednot hacked guys greedy greed great health help her high improvements im ill if idea husband hungry huge how households household house hosehold history hiking hikes higher end done email benefit biggest biden biased biannually bf between better benefits being awhile begin been becoming because became be barely bank bill billing billings bills cant cannot cancelling cancel can bye by but business buggin budget broke break boyfriend both blindly bit back away cared additional alarming agree againlater after afford adicional addtional addresses addition automatically adding added activities acct accounts access acceptance absurd all allow allowed almost aunt at as are apps aparently anyways any anticonsumer another annually an amounts amercian am also already card caring elsewhere declined discontinue disappointed direction different differences didnt deteriorated delivering decisions currently deal days day daughter date damn dad cutting disgusting disgusts divorce doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont like don cut current caused cheaper combine college climbing climb city choose choice checking charging currency charges charged charge changing changes changed change cell combining come coming company creep credit covid courtesy country costs continuous continues continually constantly constant consolidating consider connected compromised competitive compared life loyal limit started stopping stopped stop stepdad stealing stay states starting spouses so spouse spending span sorry soon son something someone stranger sub subscriber subscribers that thanks thank than terrible temporary temporarily taste talk taking system switching support summer success subscriptions subscription some situation their run see secure second scaling scales saving save same rules single rule rotating rising risen rise ripped right ridiculous seems seen selection sense significant signaling sign sight sick shoves shouldn should she sharing share shady several settled set servicio series thats there retiring we when whats what were went well weeks week way value was warrant wants wanted want waiting wait vs where while who why youll years yearly year yall ya wouldn worth workable work wont won without with willing will wife virtue vaccine these tired try tried tracking town tooo too told today tipped ut times tightening tight throughout through think thing they trying twice unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand return retired limited needed nonesence non no nice news newest new never my month must multiple much moving moved move more months nonsense not notified now or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off monthly monetary others longer made luck loyalty lower lost losing loose looking long moment lol locations location ll living live little limiting make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many original our resume quality really reality reactivate re rates raises raised quickly putting prescription put pushed provider profits profit profiles problem pricing reason recent recently recession
Topic 38 | Coherence=-226348.39 | Top words= prices you keep your raising increasing are is company or year increases price of biannually entertaining addition far consider options like terrible ill pricing after the seems stop sharing up going greedy every only there upping subscriber tired loyalty rates feel at differences pay without improvements long any with jacking playing because games constantly subscribers profits worth amounts kidding alarming days fault huge by please disgusts me fees pls continues greed monthly lower everything hungry hardly often we months not face given give fact girl gf getting fair extra expensive extortion gas expenses go goes expected even euro especially entertainment gone gonna get fix family fixed flat first focused food got for forcing forever forth free financially financial frequent finally fiance from few feet fee fan fuel future garbage good youre gotten iny itself its it issues issue isnt isn intolerable income into interested instead inflation increments increasses increased job join joint just less legacy left leave learning layoff later last laid lack kids kept keeps keeping justify increase in gouging hand he enough havent have has hard happy half im had hacking hackednot hacked guys great grandkids health help her high if idea husband how households household house hosehold horrible holder history hiking hikes hike higher having down end benefit bill biggest biden biased bf between better benefits being billings begin before been becoming became be barely bank billing bills caring bye care card cant cannot cancelling canceling cancel can but bit business buggin budget broke break boyfriend both blindly back awhile away adding agree againlater again afford adicional addtional addresses additional added automatically activities acct accounts account access acceptance absurd about all allow allowed almost aunt as aren apps aparently anyways anymore anticonsumer another annually and an amount amercian am also already cared caused emails declined disgusting discontinue disappointed direction different didnt deteriorated delivering decisions do death deal day daughter date damn dad cutting divorce doesnt cell each email elsewhere else eliminating el edge easily earlier duplicate don due drive drastically drain let double dont done cut customers customer checking combining combine college climbing climb city choose choice cheaper currently charging charges charged charge changing changes changed change come coming compared competitive current currency creep credit covid courtesy country costs cost continuous continue continually continously constant consolidating connected compromised lesser loyal letting squeeze stopped stepdad stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopping stranger stupid sub that thanks thank than temporary temporarily taste talk taking take system switching support summer success subscriptions subscription someone so right saving sense selection seen see secure second scaling scales save situation same run rules rule rotating rising risen rise series service services servicio single since significant signaling sign sight sick shoves shouldn should short she share shady several settled set thats their these was what were went well weeks week way waste warrant they wants wanted want waiting wait vs virtue value whats when where while youll yet years yearly yall ya wouldn would workable work wont won willing will wife why who vaccine ut using tried town tooo too told today to tipped times time tightening tight throughout through this think things thing tracking try uses trying users used use us upward upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ripped ridiculous life new nonsense nonesence non no nice next news newest never more needed need my must multiple much moving moved nothing notified now off our others other original option opportunity opening opened ontario oneday one once on ok offset offered offer move month return lol make made luck lost losing loose looking longer locations money location ll living live little limiting limited limit makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market out outside over rather recession recently recent reason really reality reactivate re rate overpriced raises raised raise quickly quality putting put pushed rectifying redo reduce
 81%|████████▏ | 39/48 [2:28:36<52:34, 350.45s/it]
Topic 39 | Coherence=-214334.80 | Top words= subscription my has with an in already moving so bf he anymore need husband dont one married wife daughter stepdad same using her at cant increased residence like got phone much spouse new own life change offered joint subscriptions spouses seen ontario keep what don it poland aparently double grandkids goes games future gotten fuel from great gouging good garbage gas get gonna getting gf girl give given free go gone going frequent fix forth every fact face extra extortion expensive expenses expected everything even family euro especially entertainment entertaining enough end emails email fair fan forever financially forcing for food focused flat fixed greedy first financial far finally fiance few feet fees feel fee fault greed youre guys inflation keeping justify just join job jacking itself its issues issue isnt isn is iny intolerable into interested keeps kept kidding legacy limiting limited limit letting let lesser less left kids leave learning layoff later last laid lack instead increments hacked increasses hikes hike higher high help health elsewhere havent have hardly hard happy hand half had hacking hackednot hiking history holder if increasing increases increase income improvements im ill idea horrible hungry huge how households household house hosehold having drain else begin biden biased biannually between better benefits benefit being before bill been becoming because became be barely bank back biggest billing away business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile automatically eliminating adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aunt annually as aren are apps anyways any anticonsumer another and all amounts amount amercian am also almost allowed allow card care cared day didnt deteriorated delivering declined decisions death deal days date different damn dad cutting cut customers customer currently current differences direction caring drastically el edge easily earlier each duplicate due drive live disappointed down done doesnt do divorce disgusts disgusting discontinue currency creep credit cheaper combine college climbing climb city choose choice checking charging covid charges charged charge changing changes changed cell caused combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared little loyal living stay subscriber sub stupid stranger stopping stopped stop stealing states success starting started start squeeze spending spend span sorry subscribers summer son than these there their the thats that thanks thank terrible support temporary temporarily taste talk taking take system switching soon something ripped scaling service series sense selection seems see secure second scales servicio saving save run rules rule rotating rising risen services set someone sick some situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several they thing things way when whats were went well weeks week we waste while was warrant wants wanted want waiting wait vs where who think wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing will virtue value vaccine to try tried tracking town tooo too told today tired ut tipped times time tightening tight throughout through this trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right ll nonesence offer off of now notified nothing not nonsense non often no nice next news newest never needed must offset ok moved original owner overpriced over outside out our others other or on options option opportunity opening opened only oneday once multiple move ridiculous lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many may more mind months monthly month money monetary moment mom mistake might maybe merge memberships membership members member medical means me owning pagos parent rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo parents respect return
Average topic coherence for the top words is -221371.8168907035
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.32it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.27it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.25it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.27it/s]
 10%|█         | 5/50 [00:00<00:08,  5.28it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.26it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.25it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.24it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.23it/s]
 20%|██        | 10/50 [00:01<00:07,  5.22it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.16it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.19it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.20it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.20it/s]
 30%|███       | 15/50 [00:02<00:06,  5.23it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.21it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.21it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.22it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.23it/s]
 40%|████      | 20/50 [00:03<00:05,  5.21it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.20it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.21it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.21it/s]
 48%|████▊     | 24/50 [00:04<00:05,  5.19it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.21it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.19it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.19it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.19it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.19it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.17it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.18it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.20it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.21it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.21it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.21it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.23it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.24it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.20it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.18it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.16it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.17it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.17it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.18it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.18it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.19it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.21it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.22it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.21it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.19it/s]
100%|██████████| 50/50 [00:09<00:00,  5.21it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.71it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.55it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.53it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.51it/s]
 10%|█         | 5/50 [00:00<00:06,  6.51it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.49it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.48it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.47it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.47it/s]
 20%|██        | 10/50 [00:01<00:06,  6.46it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.47it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.48it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.48it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.48it/s]
 30%|███       | 15/50 [00:02<00:05,  6.48it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.46it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.47it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.44it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.38it/s]
 40%|████      | 20/50 [00:03<00:04,  6.39it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.42it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.42it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.43it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.46it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.47it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.48it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.50it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.49it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.46it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.46it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.48it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.50it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.50it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.50it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.47it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.46it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.46it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.47it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.45it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.44it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.47it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.44it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.44it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.46it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.46it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.48it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.47it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.47it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.49it/s]
100%|██████████| 50/50 [00:07<00:00,  6.47it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.41it/s]
  4%|▍         | 2/50 [00:00<00:14,  3.40it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.44it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.45it/s]
 10%|█         | 5/50 [00:01<00:13,  3.45it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.46it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.46it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.47it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.47it/s]
 20%|██        | 10/50 [00:02<00:11,  3.47it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.48it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.47it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.47it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.47it/s]
 30%|███       | 15/50 [00:04<00:10,  3.47it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.48it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.47it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.47it/s]
 38%|███▊      | 19/50 [00:05<00:09,  3.44it/s]
 40%|████      | 20/50 [00:05<00:08,  3.44it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.45it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.46it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.45it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.47it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.47it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.48it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.46it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.46it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.47it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.48it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.48it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.48it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.48it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.48it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.48it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.48it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.45it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.45it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.44it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.44it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.43it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.45it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.47it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.47it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.47it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.48it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.48it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.44it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.46it/s]
100%|██████████| 50/50 [00:14<00:00,  3.46it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.62it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.65it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.65it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.62it/s]
 10%|█         | 5/50 [00:01<00:17,  2.63it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.64it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.64it/s]
 16%|█▌        | 8/50 [00:03<00:15,  2.64it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.64it/s]
 20%|██        | 10/50 [00:03<00:15,  2.65it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.65it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.66it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.66it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.66it/s]
 30%|███       | 15/50 [00:05<00:13,  2.65it/s]
 32%|███▏      | 16/50 [00:06<00:12,  2.65it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.66it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.64it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.64it/s]
 40%|████      | 20/50 [00:07<00:11,  2.64it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.64it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.64it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.65it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.65it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.65it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.66it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.65it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.66it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.65it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.65it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.65it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.64it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.64it/s]
 68%|██████▊   | 34/50 [00:12<00:06,  2.65it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.65it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.66it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.66it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.66it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.66it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.67it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.67it/s]
 84%|████████▍ | 42/50 [00:15<00:03,  2.67it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.66it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.66it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.66it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.65it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.65it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.66it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.65it/s]
100%|██████████| 50/50 [00:18<00:00,  2.65it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:28,  1.74it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.73it/s]
  6%|▌         | 3/50 [00:01<00:27,  1.74it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.74it/s]
 10%|█         | 5/50 [00:02<00:25,  1.74it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.73it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.74it/s]
 16%|█▌        | 8/50 [00:04<00:24,  1.74it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.73it/s]
 20%|██        | 10/50 [00:05<00:23,  1.73it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.74it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.74it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.74it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.75it/s]
 30%|███       | 15/50 [00:08<00:20,  1.74it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.73it/s]
 34%|███▍      | 17/50 [00:09<00:19,  1.71it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.71it/s]
 38%|███▊      | 19/50 [00:10<00:18,  1.72it/s]
 40%|████      | 20/50 [00:11<00:17,  1.73it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.73it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.74it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.74it/s]
 48%|████▊     | 24/50 [00:13<00:15,  1.73it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.73it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.74it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.74it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.74it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.74it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.74it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.74it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.74it/s]
 66%|██████▌   | 33/50 [00:19<00:09,  1.74it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.74it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.74it/s]
 72%|███████▏  | 36/50 [00:20<00:08,  1.75it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.74it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.74it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.74it/s]
 80%|████████  | 40/50 [00:23<00:05,  1.74it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.75it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.74it/s]
 86%|████████▌ | 43/50 [00:24<00:04,  1.74it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.74it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.74it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.74it/s]
 94%|█████████▍| 47/50 [00:27<00:01,  1.74it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.74it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.74it/s]
100%|██████████| 50/50 [00:28<00:00,  1.74it/s]

100%|██████████| 50/50 [00:00<00:00, 1470.78it/s]
Topic 0 | Coherence=-213429.78 | Top words= you when good is it year price not pay but the every really seems keep company and disgusting taste nothing greedy ok increase added going canceling extra ut series popular of uses before later tired customers resume isn hacked fuel from future frequent games garbage youre go gas gonna guys greed great grandkids gouging gotten got gone get goes forth given give girl gf getting free fix forever euro fact face extortion expensive expenses expected everything even especially forcing entertainment entertaining enough end emails email elsewhere else fair family fan far for food focused flat fixed hacking first financially financial finally fiance few feet fees feel fee fault hackednot he had job kidding kept keeps keeping justify just joint join jacking instead itself its issues issue isnt iny intolerable into kids lack laid last living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff interested inflation half health history hiking hikes hike higher high her help el increments having havent have has hardly hard happy hand holder horrible hosehold house increasses increasing increases increased income in improvements im ill if idea husband hungry huge how households household eliminating drain edge becoming bf between better benefits benefit being begin been because biased became be barely bank back awhile away automatically biannually biden at broke cancelling cancel can bye by business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as cant addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cannot card easily daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customer currently current currency didnt different credit double earlier each duplicate due drive drastically location down dont direction done don doesnt do divorce disgusts discontinue disappointed creep covid care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine courtesy constantly country costs cost continuous continues continue continually continously constant combining consolidating consider connected compromised competitive compared coming come ll loyal locations lol stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber talk thats that thanks thank than terrible temporary temporarily taking subscribers take system switching support summer success subscriptions subscription son something someone scales service sense selection seen see secure second scaling saving servicio save same run rules rule rotating rising risen services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their there these way whats what were went well weeks week we waste while was warrant wants wanted want waiting wait vs where who value worth youll yet years yearly yall ya wouldn would workable why work wont won without with willing will wife virtue vaccine they times tracking town tooo too told today to tipped time try tightening tight throughout through this think things thing tried trying using until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two rise ripped right nice offer off now notified nonsense nonesence non no next offset news newest new never needed need my must offered often much options over outside out our others other original or option on opportunity opening opened ontario only oneday one once multiple moving own luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced owner ridiculous rate recently recent reason reality reactivate re rather rates raising rectifying raises raised raise quickly quality putting put pushed recession redo profits residence return retiring
Topic 1 | Coherence=-211820.92 | Top words= to cut back prices with expenses need just costs have these fuel entertainment other due having high on lost increased rise month damn rent almost in and per time the would gas rather learning mind yall bills of spend piracy waste trying looking monthly must starting eliminating medical retiring vaccine household as continously about climbing now gotten gouging future got goes getting games garbage good get gf girl give given from go gonna gone going youre fixed frequent expected fan family fair fact face extra extortion expensive everything free every even euro especially entertaining enough end emails far fault fee feel forth forever forcing for food focused flat great fix first financially financial finally fiance few feet fees grandkids health greed keep joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead justify keeping greedy keeps like life letting let lesser less legacy left leave layoff later last laid lack kids kidding kept inflation increments increasses increasing hike higher her help he havent has hardly hard happy hand half had hacking hackednot hacked guys hikes hiking history idea increases increase income improvements im ill if husband holder hungry huge how households house hosehold horrible email drain elsewhere begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank awhile biden bill automatically business cannot cancelling canceling cancel can bye by but buggin billing budget broke break boyfriend both blindly bit billings away aunt else addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all at another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian am also already allowed cant card care deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date dad cutting customers customer currently direction discontinue cared limited el edge easily earlier each duplicate drive drastically down disgusting double dont done don doesnt do divorce disgusts current currency creep charges college climb city choose choice checking cheaper charging charged credit charge changing changes changed change cell caused caring combine combining come coming covid courtesy country cost continuous continues continue continually constantly constant consolidating consider connected compromised competitive compared company limit loyal limiting start stopping stopped stop stepdad stealing stay states started squeeze stupid spouses spouse spending span sorry soon son something stranger sub thats taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers someone some so scaling series sense selection seen seems see secure second scales situation saving save same run rules rule rotating rising service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled that their little way whats what were went well weeks week we was where warrant wants wanted want waiting wait vs virtue when while there worth youll you yet years yearly year ya wouldn workable who work wont won without willing will wife why value ut using times tracking town tooo too told today tired tipped tightening uses tight throughout through this think things thing they tried try twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable risen ripped right no offer off notified nothing not nonsense nonesence non nice offset next news newest new never needed my multiple offered often ridiculous options overpriced over outside out our others original or option ok opportunity opening opened ontario only oneday one once much moving moved losing making makes make made luck loyalty your lower loose move longer long lol locations location ll living live manservices many market married more months money monetary moment mom mistake might merge memberships membership members member means me maybe may own owner owning rate recently recent reason really reality reactivate re rates raising profits raises raised raise quickly quality putting put pushed recession rectifying redo reduce
Topic 2 | Coherence=-215050.30 | Top words= afford it can now this right time at but using is lost job willing money am start high other think just again my cant apps pay got tight lack unfortunately few hardly upward want vs month me maybe husband later cannot gouging girl gf getting get gas garbage games future fuel give going given great hacking hackednot hacked guys greedy greed grandkids go gotten good gonna gone frequent goes from youre free family fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere fair fan forth far forever forcing for food focused flat fixed fix half first financially financial finally fiance feet fees feel fee fault had hike hand jacking kept keeps keeping keep justify joint join itself kids its issues issue isnt isn iny intolerable kidding laid interested letting live little limiting limited limit like life let last lesser less legacy left leave learning layoff into instead happy her horrible holder history hiking hikes eliminating higher help house health he having havent have has hard hosehold household inflation in increments increasses increasing increases increased increase income improvements households im ill if idea hungry huge how else drain el begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away buggin care card cancelling canceling cancel bye by business budget billing broke break boyfriend both blindly bit bills billings awhile automatically caring adding agree againlater after adicional addtional addresses additional addition added all activities acct accounts account access acceptance absurd about alarming allow aunt another as aren are aparently anyways anymore any anticonsumer annually allowed and an amounts amount amercian also already almost cared caused edge days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current down easily earlier each duplicate due drive drastically ll double discontinue dont done don doesnt do divorce disgusts disgusting currently currency cell checking combining combine college climbing climb city choose choice cheaper coming charging charges charged charge changing changes changed change come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive living loyal location squeeze stopped stop stepdad stealing stay states starting started spouses stranger spouse spending spend span sorry soon son something stopping stupid some take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone so that scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thanks thats ripped week where when whats what were went well weeks we who way waste was warrant wants wanted waiting wait while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with will virtue vaccine the times town tooo too told today to tired tipped tightening tried throughout through things thing they these there their tracking try ut until uses users used use us upping upcoming up unneeded trying unnecessary unfair unemployed understand under unable two twice rise ridiculous locations not often offset offered offer off of notified nothing nonsense on nonesence non no nice next news newest new ok once needed original owner own overpriced over outside out our others or one options option opportunity opening opened ontario only oneday never need pagos luck married market many manservices making makes make made loyalty means your lower losing loose looking longer long lol may medical must monetary multiple much moving moved move more months monthly moment member mom mistake mind might merge memberships membership members owning parent return rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo provider residence retiring retired
Topic 3 | Coherence=-211121.77 | Top words= it to my not subscription pay was have that is but just ill so because compromised bill after an do charged credit automatically card wanted told bank allowed option without think been charging keeping every going got girl especially good gonna gone goes go gotten euro given even give everything fault gouging entertainment getting emails hand end enough half had hacking entertaining hackednot hacked guys greedy greed great grandkids gf gas get financial fair flat fixed fix first financially family fan food far finally fiance few feet fees feel focused for expected from fee expenses garbage games expensive future fuel extortion fact frequent free forth extra forever forcing face happy youre hard justify last laid lack kids kidding kept keeps keep joint iny join job jacking itself its issues issue isnt later layoff learning leave locations location ll living live little limiting limited limit like life letting let lesser less legacy left isn intolerable hardly higher house hosehold horrible holder history hiking hikes hike elsewhere into high her help health he having havent has household households how huge interested instead inflation increments increasses increasing increases increased increase income in improvements im if idea husband hungry email drain else being biden biased biannually bf between better benefits benefit begin at before becoming became be barely back awhile away biggest billing billings bills cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit aunt as cared adding againlater again afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also already almost care caring eliminating death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically long down double dont done don doesnt divorce customers currently caused choice come combining combine college climbing climb city choose checking current cheaper charges charge changing changes changed change cell coming company compared competitive currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected lol loyal longer their stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son stranger stupid sub talk thats thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers something someone some scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set the there ripped these where when whats what were went well weeks week we way waste warrant wants want waiting wait vs virtue while who why wouldn youll you yet years yearly year yall ya would wife worth workable work wont won with willing will value vaccine ut times tried tracking town tooo too today tired tipped time trying tightening tight throughout through this things thing they try twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable rise right looking pagos often offset offered offer off of now notified nothing nonsense nonesence non no nice next news newest new never ok on once other owner own overpriced over outside out our others original one or options opportunity opening opened ontario only oneday needed need must makes me maybe may married market many manservices making make medical made luck loyalty your lower lost losing loose means member multiple money much moving moved move more months monthly month monetary members moment mom mistake mind might merge memberships membership owning parent ridiculous parents recession recently recent reason really reality reactivate re rather rates rate raising raises raised raise quickly quality putting put rectifying redo reduce respect return retiring
Topic 4 | Coherence=-224489.18 | Top words= price the hike and of hikes charging your for newest an many share too has was selection just like out extra gone that in are since to months span deteriorated member subscription drastically hand lack getting far keep stupid up got services again annually tired with else past becoming into it having gotten fuel go future grandkids great from greed gouging garbage games good given gas get gf gonna going goes girl give frequent youre free even fact face extortion expensive expenses expected everything every euro forth especially entertainment entertaining enough end emails email elsewhere fair family fan fault forever forcing food focused flat fixed fix first financially financial finally fiance few feet fees feel fee greedy he guys inflation keeps keeping justify joint join job jacking itself its issues issue isnt isn is iny intolerable interested kept kidding kids lesser little limiting limited limit life letting let less laid legacy left leave learning layoff later last instead increments hacked increasses history hiking higher high her help health el havent have hardly hard happy half had hacking hackednot holder horrible hosehold ill increasing increases increased increase income improvements im if house idea husband hungry huge how households household eliminating dont edge being biden biased biannually bf between better benefits benefit begin bill before been because became be barely bank back biggest billing away business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile automatically easily adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aunt anticonsumer at as aren apps aparently anyways anymore any another allow amounts amount amercian am also already almost allowed cant card care date delivering declined decisions death deal days day daughter damn differences dad cutting cut customers customer currently current currency didnt different cared living earlier each duplicate due drive drain down double done direction don doesnt do divorce disgusts disgusting discontinue disappointed creep credit covid charges college climbing climb city choose choice checking cheaper charged courtesy charge changing changes changed change cell caused caring combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company live loyal ll started stopping stopped stop stepdad stealing stay states starting start sub squeeze spouses spouse spending spend sorry soon son stranger subscriber someone taste their thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions something some return same seems see secure second scaling scales saving save run sense rules rule rotating rising risen rise ripped right seen series so shouldn situation single significant signaling sign sight sick shoves should service short she sharing shady several settled set servicio there these they week where when whats what were went well weeks we who way waste warrant wants wanted want waiting wait while why thing wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vs virtue value tipped trying try tried tracking town tooo told today times vaccine time tightening tight throughout through this think things twice two unable under ut using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand ridiculous retiring location nonesence offered offer off now notified nothing not nonsense non often no nice next news new never needed need offset ok must options overpriced over outside our others other original or option on opportunity opening opened ontario only oneday one once my multiple retired loyalty married market manservices making makes make made luck lower maybe lost losing loose looking longer long lol locations may me much moment moving moved move more monthly month money monetary mom means mistake mind might merge memberships membership members medical own owner owning raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession pagos repurposing resume
Topic 5 | Coherence=-217829.98 | Top words= care service customer increase again garbage customers start to this even rate for paying do your before about take you things of other first need will just the there us horrible summer better activities moved rising keeps health owner tracking happy less get games getting gas future youre gonna gf girl hacked guys greedy greed great grandkids gouging gotten got good from gone going goes go given give fuel flat frequent free fact face extra extortion expensive expenses expected everything every euro especially entertainment entertaining enough end emails email elsewhere else fair family fan financially forth forever forcing food focused hacking fixed fix financial far finally fiance few feet fees feel fee fault hackednot having had kids kept keeping keep justify joint join job jacking itself its it issues issue isnt isn is iny kidding lack into laid live little limiting limited limit like life letting let lesser legacy left leave learning layoff later last intolerable interested half house holder history hiking hikes hike higher high her help he el havent have has hardly hard hand hosehold household instead households inflation increments increasses increasing increases increased income in improvements im ill if idea husband hungry huge how eliminating dont edge been biased biannually bf between benefits benefit being begin becoming biggest because became be barely bank back awhile away biden bill aunt buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically at easily additional alarming agree againlater after afford adicional addtional addresses addition allow adding added acct accounts account access acceptance absurd all allowed as another aren are apps aparently anyways anymore any anticonsumer annually almost and an amounts amount amercian am also already cannot cant card daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut currently current currency creep didnt different cared double earlier each duplicate due drive drastically drain down ll direction done don doesnt divorce disgusts disgusting discontinue disappointed credit covid courtesy charges climbing climb city choose choice checking cheaper charging charged country charge changing changes changed change cell caused caring college combine combining come costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming living loyal location spouses stop stepdad stealing stay states starting started squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger so taking thanks thank than terrible temporary temporarily taste talk system stupid switching support success subscriptions subscription subscribers subscriber sub some situation thats save seen seems see secure second scaling scales saving same sense run rules rule rotating risen rise ripped right selection series single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio that their locations we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who virtue would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife vs value these tipped try tried town tooo too told today tired times twice time tightening tight throughout through think thing they trying two vaccine upcoming ut using uses users used use upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under ridiculous return retiring non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed my offered often multiple option over outside out our others original or options opportunity ok opening opened ontario only oneday one once on must much retired luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking longer long lol may me moving mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced own owning raises reason really reality reactivate re rather rates raising raised recently raise quickly quality putting put pushed provider profits recent recession pagos repurposing resume
Topic 6 | Coherence=-214780.89 | Top words= back be will to break need taking when ll just month can payment move end we ill laid off bit and money saving on of else rotating time come for something later repurposing might subscriptions monetary broke payday provider soon users summer week divorce own join phone layoff coming play problem ontario pay getting even euro grandkids gouging especially gf entertainment gotten got gonna girl gone give entertaining emails enough given go goes good get going fact from gas garbage expenses expensive finally fiance few feet fees feel fee extortion fault extra far face fan family fair financial financially expected forcing games future fuel frequent free forth forever every everything food focused flat fixed greed fix first great youre greedy job itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing jacking joint increased justify life letting let lesser less legacy left leave learning last lack kids kidding kept keeps keeping keep increases increase guys higher her help health he having email have has hardly hard happy hand half had hacking hackednot hacked high hike income hikes in improvements im if idea husband hungry huge how households household house hosehold horrible holder history hiking havent drain elsewhere eliminating biannually bf between better benefits benefit being begin before been becoming because became barely bank awhile away automatically aunt biased biden biggest but card cant cannot cancelling canceling cancel bye by business bill buggin budget boyfriend both blindly bills billings billing at as aren adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow care cared caring deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drastically el edge easily earlier each duplicate due drive limit disgusting down double dont done don doesnt do disgusts customer current caused cheaper combine college climbing climb city choose choice checking charging company charges charged charge changing changes changed change cell combining compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised like loyal limited starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber limiting temporary their the thats that thanks thank than terrible temporarily subscribers taste talk take system switching support success subscription son someone some second service series sense selection seen seems see secure scaling so scales save same run rules rule rising risen services servicio set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several there these they way while where whats what were went well weeks waste value was warrant wants wanted want waiting wait vs who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with virtue vaccine thing tired try tried tracking town tooo too told today tipped ut times tightening tight throughout through this think things trying twice two unable using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped right next notified nothing not nonsense nonesence non no nice news moved newest new never needed my must multiple much now offer offered offset out our others other original or options option opportunity opening opened only oneday one once ok often moving more over loose make made luck loyalty your lower lost losing looking months longer long lol locations location living live little makes making manservices many monthly moment mom mistake mind merge memberships membership members member medical means me maybe may married market outside overpriced ridiculous rather recession recently recent reason really reality reactivate re rates pushed rate raising raises raised raise quickly quality putting rectifying redo reduce reducing
Topic 7 | Coherence=-228912.15 | Top words= and too price have the added many with not to this new expensive continues benefit climb other times using more now services hikes no better sharing it me prices profiles charges issues amount about expected is was be future really going when started gotten customer addtional youll greedy back upcoming unemployed its living daughter policies itself options pleased financial adding hackednot secure easily on becoming fees biggest went horrible policy think gonna entertainment every entertaining garbage great gas get grandkids getting gouging gf girl gone give given especially go even goes euro got good everything games fiance expenses forcing financially first few fix fixed flat focused feet food for feel fee fault forever extortion far fan forth family fair fact free frequent face finally extra from fuel youre her greed isn just joint join job jacking issue isnt iny keep intolerable into interested instead inflation increments increasses justify keeping increases learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept increasing increased guys has high end help health he having havent hardly hike hard happy hand half had hacking hacked higher hiking increase husband income in improvements im ill if idea hungry history huge how households household house hosehold holder enough dont emails between bills billings billing bill biden biased biannually bf benefits away being begin before been because became barely bank bit blindly both boyfriend cared care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break awhile automatically caused addresses all alarming agree againlater again after afford adicional additional aunt addition activities acct accounts account access acceptance absurd allow allowed almost already at as aren are apps aparently anyways anymore any anticonsumer another annually an amounts amercian am also caring cell email delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cut decisions death deal days day date damn dad disgusts divorce do doesnt elsewhere else eliminating el edge earlier each duplicate due drive drastically drain down double like done don cutting customers change choose company coming come combining combine college climbing city choice currently checking cheaper charging charged charge changing changes changed compared competitive compromised connected current currency creep credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider life loyal limit spouses stop stepdad stealing stay states starting start squeeze spouse so spending spend span sorry soon son something someone stopped stopping stranger stupid terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub some situation thank same seen seems see second scaling scales saving save run single rules rule rotating rising risen rise ripped right selection sense series service since significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio than thanks return way where whats what were well weeks week we waste vaccine warrant wants wanted want waiting wait vs virtue while who why wife you yet years yearly year yall ya wouldn would worth workable work wont won without willing will value ut that tight town tooo told today tired tipped time tightening throughout uses through things thing they these there their thats tracking tried try trying users used use us upward upping up until unneeded unnecessary unfortunately unfair understand under unable two twice ridiculous retiring limited never nothing nonsense nonesence non nice next news newest needed monthly need my must multiple much moving moved move notified of off offer our others original or option opportunity opening opened ontario only oneday one once ok often offset offered months month outside looking made luck loyalty your lower lost losing loose longer money long lol locations location ll live little limiting make makes making manservices monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market out over retired raising recent reason reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 8 | Coherence=-229414.30 | Top words= are you only raising the if it prices that keep now using your gonna was kept reason youre cheaper so im better people not out charging good me charge to again subscription will bye fact consider want this email back give issue forever rectifying reactivate makes months never come worth or because improvements differences any without rising constantly politically biased increasing account hungry monthly fuel gone from gouging games frequent free forth future getting gotten garbage gas get gf girl got let given goes going go last forcing expenses family fair life face extra extortion expensive expected far like everything every even euro especially entertainment fan fault for financially food focused flat fixed fix first great letting fee financial finally fiance few feet fees feel grandkids hard greed instead isn is left iny intolerable into interested inflation legacy increments increasses increases increased increase income in isnt issues leave its lack kids kidding later keeps keeping layoff justify just joint join job learning jacking itself ill idea greedy laid health he having havent have has hardly happy husband hand half had hacking hackednot hacked guys enough help her high huge how households household house less hosehold horrible holder history hiking hikes hike lesser higher entertaining drain end begin biggest biden biannually bf between benefits benefit being before billing been becoming became be barely bank awhile away bill billings cared but card cant cannot cancelling canceling cancel can by business bills buggin budget broke break boyfriend both blindly bit automatically aunt at addition agree againlater after afford adicional addtional addresses additional adding as added activities acct accounts access acceptance absurd about alarming all allow allowed aren apps aparently anyways anymore anticonsumer another annually and an amounts amount amercian am also already almost care caring emails declined disgusting discontinue disappointed direction different didnt deteriorated delivering decisions divorce death deal days day daughter date damn dad disgusts do caused duplicate elsewhere else eliminating el edge easily earlier each due doesnt drive drastically limited down double dont done don cutting cut customers choose company coming combining combine college climbing climb city choice customer checking charges charged changing changes changed change cell compared competitive compromised connected currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating limit loyal limiting start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid ripped taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber something someone some scaling series sense selection seen seems see secure second scales situation saving save same run rules rule rotating risen service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled thats their there way whats what were went well weeks week we waste ut warrant wants wanted waiting wait vs virtue value when where while who youll yet years yearly year yall ya wouldn would workable work wont won with willing wife why vaccine uses these times tracking town tooo too told today tired tipped time users tightening tight throughout through think things thing they tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two rise right little next of notified nothing nonsense nonesence non no nice news offer newest new needed need my must multiple much off offered ridiculous opportunity over outside our others other original options option opening offset opened ontario oneday one once on ok often moving moved move loose making make made luck loyalty lower lost losing looking more longer long lol locations location ll living live manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may overpriced own owner rate recession recently recent really reality re rather rates raises profit raised raise quickly quality putting put pushed provider redo reduce reducing reflect
Topic 9 | Coherence=-220763.35 | Top words= for been to changing benefits nonsense long don keeps will this with months price year too good no cancel its you return your issues rate each increasses offset run respect tightening legacy members budget againlater between subscription using some users personal financial financially having hard stop climbing itself on the town justify pick my goes fuel free getting grandkids get got frequent gotten gf from future given gone going gonna garbage gas go gouging give girl games youre forth even face extra extortion expensive expenses expected everything every euro forever especially entertainment entertaining enough end emails email elsewhere fact fair family fan forcing food focused flat fixed fix first greed finally fiance few feet fees feel fee fault far great health greedy increased joint join job jacking it issue isnt isn is iny intolerable into interested instead inflation increments increasing just keep keeping leave like life letting let lesser less left learning kept layoff later last laid lack kids kidding increases increase guys income higher high her help eliminating he havent have has hardly happy hand half had hacking hackednot hacked hike hikes hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder else dont el because biannually bf better benefit being begin before becoming became biden be barely bank back awhile away automatically aunt biased biggest as buggin cannot cancelling canceling can bye by but business broke bill break boyfriend both blindly bit bills billings billing at aren edge adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all are and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cant card care daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different cared double easily earlier duplicate due drive drastically drain down limited direction done doesnt do divorce disgusts disgusting discontinue disappointed currency creep credit charging combine college climb city choose choice checking cheaper charges covid charged charge changes changed change cell caused caring combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limit loyal limiting spouse stealing stay states starting started start squeeze spouses spending stopped spend span sorry soon son something someone so stepdad stopping thanks system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid situation single since save seen seems see secure second scaling scales saving same significant rules rule rotating rising risen rise ripped right selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thank that little waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where thats worth youll yet years yearly yall ya wouldn would workable while work wont won without willing wife why who value vaccine ut tight tracking tooo told today tired tipped times time throughout uses through think things thing they these there their tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring retired news now notified nothing not nonesence non nice next newest off new never needed need must multiple much moving of offer resume opportunity out our others other original or options option opening offered opened ontario only oneday one once ok often moved move more losing making makes make made luck loyalty lower lost loose monthly looking longer lol locations location ll living live manservices many market married month money monetary moment mom mistake mind might merge memberships membership member medical means me maybe may outside over overpriced raised really reality reactivate re rather rates raising raises raise problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 10 | Coherence=-232054.19 | Top words= and price prices you the raising not keep anymore raised many up just too worth it money new fees on share rules your of us going am letting customers services fixed keeps subscriptions income fault are made rates adding system workable profits gotten kidding have re damn restriction jacking days times continously raise focused non nothing enough retired aren budget really every fee don set yet want had much cost ll dont try make else how earlier must cheaper now more membership fuel euro from frequent free future gas games especially garbage get getting gf girl give given go entertainment goes forth far forever financially family fair fact gone face feet few fiance finally extra financial first forcing extortion fix expensive flat expenses expected fan everything even food for feel youre gonna good isn is iny intolerable into interested instead inflation increments increasses increasing increases increased increase in improvements im isnt issue issues lack left leave learning layoff later last laid kids its kept keeping justify joint join job itself ill if idea hackednot has hardly hard happy hand half hacking hacked entertaining guys greedy greed great grandkids gouging got havent he husband holder hungry huge households household house hosehold horrible history health hiking hikes hike higher high her help having down end begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill card business cannot cancelling canceling cancel can bye by but buggin billing broke break boyfriend both blindly bit bills billings awhile away automatically addition againlater again after afford adicional addtional addresses additional added aunt activities acct accounts account access acceptance absurd about agree alarming all allow at as apps aparently anyways any anticonsumer another annually an amounts amount amercian also already almost allowed cant care emails death direction different differences didnt deteriorated delivering declined decisions deal discontinue day daughter date dad cutting cut customer currently disappointed disgusting cared due email elsewhere eliminating el edge easily each duplicate drive disgusts drastically drain less double done doesnt do divorce current currency creep charges college climbing climb city choose choice checking charging charged credit charge changing changes changed change cell caused caring combine combining come coming covid courtesy country costs continuous continues continue continually constantly constant consolidating consider connected compromised competitive compared company legacy loyal lesser started stopping stopped stop stepdad stealing stay states starting start their squeeze spouses spouse spending spend span sorry soon stranger stupid sub subscriber that thanks thank than terrible temporary temporarily taste talk taking take switching support summer success subscription subscribers son something someone service sense selection seen seems see secure second scaling scales saving save same run rule rotating rising risen series servicio some settled so situation single since significant signaling sign sight sick shoves shouldn should short she sharing shady several thats there let way whats what were went well weeks week we waste these was warrant wants wanted waiting wait vs virtue when where while who youll years yearly year yall ya wouldn would work wont won without with willing will wife why value vaccine ut tried town tooo told today to tired tipped time tightening tight throughout through this think things thing they tracking trying using twice uses users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two rise ripped right newest off notified nonsense nonesence no nice next news never ridiculous needed need my multiple moving moved move months offer offered offset often out our others other original or options option opportunity opening opened ontario only oneday one once ok monthly month monetary loyalty lost losing loose looking longer long lol locations location living live little limiting limited limit like life lower luck moment makes mom mistake mind might merge memberships members member medical means me maybe may married market manservices making outside over overpriced rectifying recently recent reason reality reactivate rather rate raises quickly quality putting put pushed provider profit profiles problem recession redo president
Topic 11 | Coherence=-208480.47 | Top words= has price other one the tipped in goes selection scales finally hike direction laid stopping reducing continually off expenses sharing got much ill and unneeded seems just increments year biannually entertaining consider options far good garbage hacked frequent guys from greedy gone fuel greed gonna future games gas given great grandkids going get free getting gouging gf girl give gotten go focused forth euro face extra extortion expensive expected everything every even especially forever entertainment enough end emails email elsewhere else eliminating fact fair family fan forcing for food hacking flat fixed fix first financially financial fiance few feet fees feel fee fault hackednot youre had join kids kidding kept keeps keeping keep justify joint job last jacking itself its it issues issue isnt isn lack later iny like location ll living live little limiting limited limit life layoff letting let lesser less legacy left leave learning is intolerable half health holder history hiking hikes higher high her help he hosehold having havent edge have hardly hard happy hand horrible house into income interested instead inflation increasses increasing increases increased increase improvements household im if idea husband hungry huge how households el drastically easily cancelling between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically aunt bf biased biden broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill at as aren adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow canceling cannot earlier cant delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current currency creep deteriorated didnt differences dont each duplicate due drive lol drain down double done different don doesnt do divorce disgusts disgusting discontinue disappointed credit covid courtesy changing choose choice checking cheaper charging charges charged charge changes climb changed change cell caused caring cared care card city climbing country consolidating costs cost continuous continues continue continously constantly constant connected college compromised competitive compared company coming come combining combine locations loyal long rise subscribers subscriber sub stupid stranger stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend subscription subscriptions success terrible these there their thats that thanks thank than temporary summer temporarily taste talk taking take system switching support span sorry soon second servicio services service series sense seen see secure scaling settled saving save same run rules rule rotating rising set several son signaling something someone some so situation single since significant sign shady sight sick shoves shouldn should short she share they thing things week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why vs would youll you yet years yearly yall ya wouldn worth wife workable work wont won without with willing will wait virtue think today trying try tried tracking town tooo too told to two tired times time tightening tight throughout through this twice unable value upward vaccine ut using uses users used use us upping under upcoming up until unnecessary unfortunately unfair unemployed understand risen ripped longer right offset offered offer of now notified nothing not nonsense nonesence non no nice next news newest new never needed often ok on others owning owner own overpriced over outside out our original once or option opportunity opening opened ontario only oneday need my must make maybe may married market many manservices making makes made means luck loyalty your lower lost losing loose looking me medical multiple monetary moving moved move more months monthly month money moment member mom mistake mind might merge memberships membership members pagos parent parents rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pushed restart ridiculous return
Topic 12 | Coherence=-230380.53 | Top words= prices are much increases other biannually options after entertaining year price ill your consider or far you raising stop increasing seems company like too many it have customer subscription elsewhere in business take money constantly don into some is put time success live over every but poland amercian on ridiculous please youll as spend waste rising twice history throughout getting often raises taking another want addtional inflation recession will costs upcoming sick cost damn country afford these hacked me hard my learning am flat keeps focused fixed fix first food income for forcing forever financially free frequent from fuel future games garbage gas get keeping keep forth fiance financial everything extra later extortion expensive expenses expected layoff fact leave even euro especially left entertainment face fair finally fee girl few feet fees kept feel fault last kidding kids lack laid fan family gf goes justify high interested intolerable hiking hikes hike higher her horrible iny help health he having havent holder instead just hungry improvements im increased if idea husband increasses hosehold huge increments how households household house isn has hardly gone gouging gotten job got good gonna join isnt going joint increase go given give grandkids great jacking greed itself its greedy guys hackednot hacking issues had issue half hand happy enough youre doesnt end being biggest biden biased bf between better benefits benefit begin cared before been becoming because became be barely bank bill billing billings bills card cant cannot cancelling canceling cancel can bye by buggin budget broke break boyfriend both blindly bit back awhile away all agree againlater again adicional addresses additional addition adding added activities acct accounts account access acceptance absurd about alarming allow automatically allowed aunt at aren apps aparently anyways anymore any anticonsumer annually and an amounts amount also already almost care caring emails delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined caused decisions death deal days day daughter date dad disgusts divorce do less email else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done cutting cut customers combining college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell combine come currently coming current currency creep credit covid courtesy continuous continues continue continually continously constant consolidating connected compromised competitive compared legacy loyal lesser spouse stealing stay states starting started start squeeze spouses spending thats span sorry soon son something someone so situation stepdad stopped stopping stranger thanks thank than terrible temporary temporarily taste talk system switching support summer subscriptions subscribers subscriber sub stupid single since significant seen secure second scaling scales saving save same run rules rule rotating risen rise ripped right return retiring see selection signaling sense sign sight shoves shouldn should short she sharing share shady several settled set servicio services service series that the resume way whats what were went well weeks week we was their warrant wants wanted waiting wait vs virtue value when where while who yet years yearly yall ya wouldn would worth workable work wont won without with willing wife why vaccine ut using tried town tooo told today to tired tipped times tightening tight through this think things thing they there tracking try uses trying users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retired resubscribe let need no nice next news newest new never needed must original multiple moving moved move more months monthly month non nonesence nonsense not opportunity opening opened ontario only oneday one once ok offset offered offer off of now notified nothing monetary moment mom loyalty lost losing loose looking longer long lol locations location ll living little limiting limited limit life letting lower luck mistake made mind might merge memberships membership members member medical means maybe may married market manservices making makes make option others restriction quality reactivate re rather rates rate raised raise quickly putting our pushed provider profits profit profiles problem pricing president reality really reason
Topic 13 | Coherence=-209620.19 | Top words= price is with saving and can more money be deal continuous problem sharing dad pay afford until hikes day waiting happy biggest gouging way cant card twice any stopping thanks gf goes go given give girl half getting gone get gas garbage hand games enough going gonna hackednot great hacked guys greedy greed hacking emails grandkids good end email had fuel gotten got future face from expected financially expensive extortion financial extra finally fiance few feet fees feel fee fault far fan family fair expenses everything fact first free forth forever entertaining entertainment especially forcing for euro hard food focused flat even fixed fix every frequent youre hardly has laid lack kids kidding kept keeps keeping keep justify just joint join job jacking itself its it issues issue last later layoff limit locations location ll living live little limiting limited like learning life letting let lesser less legacy left leave isnt isn iny higher household house hosehold horrible holder history hiking hike high how her help health else he having havent have households huge intolerable increased into interested instead inflation increments increasses increasing increases increase hungry income in improvements im ill if idea husband elsewhere drain eliminating been bf between better benefits benefit being begin before becoming biased because became barely bank back awhile away automatically biannually biden care budget cancelling canceling cancel bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as adding againlater again after adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore anticonsumer another annually an amounts amount amercian am also already almost allowed cannot cared el days different differences didnt deteriorated delivering declined decisions death daughter disappointed date damn cutting cut customers customer currently current direction discontinue caring long edge easily earlier each duplicate due drive drastically down disgusting double dont done don doesnt do divorce disgusts currency creep credit charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed change cell caused combine combining come coming courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company lol loyal longer there stupid stranger stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon sub subscriber subscribers taste the thats that thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions son something someone scaling series sense selection seen seems see secure second scales services save same run rules rule rotating rising risen service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short she share shady several settled their these looking they where when whats what were went well weeks week we waste was warrant wants wanted want wait vs virtue while who why wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will value vaccine ut times town tooo too told today to tired tipped time tried tightening tight throughout through this think things thing tracking try using up uses users used use us upward upping upcoming unneeded trying unnecessary unfortunately unfair unemployed understand under unable two rise ripped right ridiculous often offset offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new ok on once original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday never needed need makes me maybe may married market many manservices making make medical made luck loyalty your lower lost losing loose means member my month must multiple much moving moved move months monthly monetary members moment mom mistake mind might merge memberships membership owner owning pagos rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pushed respect return retiring
Topic 14 | Coherence=-223895.93 | Top words= the price in you to my it use me will as we months increases time can many has where anticonsumer last just upcoming moved is pay by change see locations company pushed edge charging over declined rising cancel household limiting only boyfriend wants card single broke covid euro increased willing keeps been think free raised girl goes greed future great games go garbage grandkids gas going gf gouging get gotten got given give getting good gone gonna fuel fix from expenses fan family fair fact face extra extortion expensive expected frequent everything every even especially entertainment entertaining enough end far fault fee feel forth forever forcing for food focused flat fixed guys first financially financial finally fiance few feet fees greedy her hacked hackednot keep justify joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead keeping kept kidding less limited limit like life letting let lesser legacy kids left leave learning layoff later laid lack inflation increments increasses havent higher high email help health he having have hikes hardly hard happy hand half had hacking hike hiking increasing husband increase income improvements im ill if idea hungry history huge how households house hosehold horrible holder emails youre elsewhere because between better benefits benefit being begin before becoming became biannually be barely bank back awhile away automatically aunt bf biased else budget cant cannot cancelling canceling bye but business buggin break biden both blindly bit bills billings billing bill biggest at aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any another annually and an amounts amount amercian am also already almost allowed allow care cared caring death disappointed direction different differences didnt deteriorated delivering decisions deal customer days day daughter date damn dad cutting cut discontinue disgusting disgusts divorce eliminating el easily earlier each duplicate due drive drastically drain down double little done don doesnt do customers currently caused choice come combining combine college climbing climb city choose checking current cheaper charges charged charge changing changes changed cell coming compared competitive compromised currency creep credit courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected dont loyal live squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger some system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub someone so living save selection seen seems secure second scaling scales saving same series run rules rule rotating risen rise ripped right sense service situation should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio thank thanks that was what were went well weeks week way waste warrant when wanted want waiting wait vs virtue value vaccine whats while thats would youll yet years yearly year yall ya wouldn worth who workable work wont won without with wife why ut using uses tight tooo too told today tired tipped times tightening throughout users through this things thing they these there their town tracking tried try used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ridiculous return retiring no of now notified nothing not nonsense nonesence non nice offer next news newest new never needed need must off offered overpriced opportunity out our others other original or options option opening offset opened ontario oneday one once on ok often multiple much moving lower manservices making makes make made luck loyalty your lost move losing loose looking longer long lol location ll market married may maybe more monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means outside own retired raising reason really reality reactivate re rather rates rate raises recently raise quickly quality putting put provider profits profit recent recession owner repurposing resume
Topic 15 | Coherence=-220694.58 | Top words= subscription price and my different increases in to pay use is change have be where ridiculous on locations too upcoming fee many two live won able both addresses back everything already keeps life spending reality payday someone luck getting hacking next im cutting increments euro currency checking cheaper am what care opening seen people we gouging family feet expensive repurposing ut another great grandkids agree added annually gotten got barely greedy good gonna gone going goes go given greed guys girl has help health amounts he having havent activities hardly hacked hard happy hand half had an hackednot give gf extortion feel financially financial finally fiance few any fees addition adding fault far fan anymore fair fact face first fix anticonsumer frequent get gas garbage games future fuel from free fixed forth forever forcing for food focused flat her high higher just absurd kidding kept almost keeping keep justify joint lack join job jacking itself its it issues kids laid hike lesser limited limit like about allow letting let less last legacy left leave learning layoff allowed later issue isnt isn household if idea husband hungry huge how households house acceptance hosehold horrible holder history hiking hikes acct ill amount amercian improvements iny intolerable into interested instead inflation also increasses increasing access account increased increase income accounts extra anyways after addtional charges away charged charge changing changes changed cell automatically caused caring cared awhile card cant cannot charging againlater constant coming consider connected aunt compromised competitive compared company come choice combining combine college climbing climb city choose cancelling canceling cancel benefit biased adicional biannually bf between better benefits being can afford begin before been becoming because became biden bank biggest bill bye by but business buggin budget broke break boyfriend again blindly bit bills billings billing consolidating constantly expenses down earlier each duplicate due drive drastically drain limiting edge double dont done don doesnt do divorce easily el continously entertainment aparently expected apps every even are especially entertaining alarming enough end emails email elsewhere else eliminating disgusts disgusting discontinue courtesy customer currently current as creep credit covid country disappointed costs cost continuous continues continue continually at customers cut aren dad direction additional differences didnt deteriorated delivering declined decisions death deal days day daughter date damn all youre little start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spend span sorry soon son something stopping stupid thats taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some so situation saving sense selection seems see secure second scaling scales save single same run rules rule rotating rising risen rise series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set that the right waste when whats were went well weeks week way was who warrant wants wanted want waiting wait vs virtue while why their wouldn youll you yet years yearly year yall ya would wife worth workable work wont without with willing will value vaccine using tight tooo told today tired tipped times time tightening throughout uses through this think things thing they these there town tracking tried try users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying ripped return living nice now notified nothing not nonsense nonesence non no news off newest new never needed need must multiple much of offer over opportunity out our others other original or options option opened offered ontario only oneday one once ok often offset moving moved move lower market manservices making makes make made loyalty your lost more losing loose looking longer long lol location ll married may maybe me months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means outside overpriced retiring raises reason really reactivate re rather rates rate raising raised recently raise quickly quality putting put pushed provider profits recent recession own reside retired
Topic 16 | Coherence=-224225.99 | Top words= extra you of share charging my because also fan not greedy with your money many years few subscriptions me past out over hikes way bill cant without grandkids stay increase like now idea news limit happy spending budget don service month husband damn possible warrant absurd got girl enough end email hacking hackednot hacked garbage guys gas get getting gf give gotten given greed emails go goes great going games gonna gouging good gone extortion future far fiance every feet fees feel fee fault everything financial expected family expenses fair expensive fact face finally financially entertaining forcing fuel from frequent free forth forever entertainment for first food especially euro flat even fixed fix focused youre had keeps keep justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable keeping kept half kidding limiting limited life letting let lesser less legacy left leave learning layoff later last laid lack kids into interested instead inflation history hiking hike higher high her help else health he having havent have has hardly hard hand holder horrible hosehold improvements increments increasses increasing increases increased income in im house ill if hungry huge how households household elsewhere drastically eliminating el biannually bf between better benefits benefit being begin before been becoming became be barely bank back awhile away automatically biased biden biggest business cannot cancelling canceling cancel can bye by but buggin billing broke break boyfriend both blindly bit bills billings aunt at as addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow an amounts amount amercian am already almost allowed card care cared days differences didnt deteriorated delivering declined decisions death deal day direction daughter date dad cutting cut customers customer currently different disappointed currency drain edge easily earlier each duplicate due drive live down discontinue double dont done doesnt do divorce disgusts disgusting current creep caring cheaper combine college climbing climb city choose choice checking charges come charged charge changing changes changed change cell caused combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared little loyal living states sub stupid stranger stopping stopped stop stepdad stealing starting subscribers started start squeeze spouses spouse spend span sorry subscriber subscription son temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer soon something rise scaling series sense selection seen seems see secure second scales servicio saving save same run rules rule rotating rising services set someone sight some so situation single since significant signaling sign sick settled shoves shouldn should short she sharing shady several there these they was what were went well weeks week we waste wants when wanted want waiting wait vs virtue value vaccine whats where thing worth youll yet yearly year yall ya wouldn would workable while work wont won willing will wife why who ut using uses tipped tracking town tooo too told today to tired times users time tightening tight throughout through this think things tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two risen ripped ll nonsense ok often offset offered offer off notified nothing nonesence once non no nice next newest new never needed on one must other pagos owning owner own overpriced outside our others original oneday or options option opportunity opening opened ontario only need multiple right lower market manservices making makes make made luck loyalty lost may losing loose looking longer long lol locations location married maybe much mom moving moved move more months monthly monetary moment mistake means mind might merge memberships membership members member medical parent parents passed re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing pay restart ridiculous
Topic 17 | Coherence=-226016.74 | Top words= of the you subscription extra that family and using money about share with outside paying don increase want states when power like limit idea news for sharing out acceptance reality lack change won pay being town sick more cant off hosehold waste ripped expenses lol death unnecessary months unable cutting holder agree account subscriptions payment move moving have policy country loyal longer really first give goes every everything go given flat even gf expected getting expensive get girl going garbage euro gone gonna especially entertainment good got gotten entertaining enough end gouging gas extortion great face fixed fix focused financially financial food finally fiance forcing few feet fees feel fee forever forth fault free frequent from far fan fair fact fuel future games grandkids havent greed increasing job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments join joint just later lesser less legacy left leave learning layoff last justify laid kids kidding kept keeps keeping keep increasses increases greedy increased her help health he having email has hardly hard happy hand half had hacking hackednot hacked guys high higher hike hungry income in improvements im ill if husband huge hikes how households household house horrible history hiking emails dont elsewhere begin biden biased biannually bf between better benefits benefit before bill been becoming because became be barely bank back biggest billing away business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile automatically care addresses all alarming againlater again after afford adicional addtional additional allowed addition adding added activities acct accounts access absurd allow almost aunt any at as aren are apps aparently anyways anymore anticonsumer already another annually an amounts amount amercian am also card cared else deal direction different differences didnt deteriorated delivering declined decisions days discontinue day daughter date damn dad cut customers customer disappointed disgusting current drive eliminating el edge easily earlier each duplicate due drastically disgusts drain down double letting done doesnt do divorce currently currency caring cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed cell caused combining coming creep continually credit covid courtesy costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared let youre life squeeze stopped stop stepdad stealing stay starting started start spouses some spouse spending spend span sorry soon son something stopping stranger stupid sub thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber someone so return save seen seems see secure second scaling scales saving same situation run rules rule rotating rising risen rise right selection sense series service single since significant signaling sign sight shoves shouldn should short she shady several settled set servicio services thats their there way whats what were went well weeks week we was these warrant wants wanted waiting wait vs virtue value where while who why youll yet years yearly year yall ya wouldn would worth workable work wont without willing will wife vaccine ut uses tracking too told today to tired tipped times time tightening tight throughout through this think things thing they tooo tried users try used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under two twice trying ridiculous retiring limited next notified nothing not nonsense nonesence non no nice newest monthly new never needed need my must multiple much now offer offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often moved month retired loose make made luck loyalty your lower lost losing looking monetary long locations location ll living live little limiting makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market our over overpriced raises recent reason reactivate re rather rates rate raising raised own raise quickly quality putting put pushed provider profits recently recession rectifying
Topic 18 | Coherence=-222551.05 | Top words= not price to for is the increase worth me your going extra she enough are be anyways currently re used sign college willing daughter thank in uses support charge when paying something what great options am you bye absurd offered their from higher isnt acceptance face nonesence pls isn lower original wont up allow go pay raise prices horrible gf getting got gonna fuel future good games gotten gone gouging goes girl given garbage give grandkids gas get youre fix frequent free fan family fair fact extortion expensive expenses expected everything every even euro especially entertainment entertaining end emails far fault fee greedy forth forever forcing food focused flat fixed first feel financially financial finally fiance few feet fees greed health guys keeping justify just joint join job jacking itself its it issues issue iny intolerable into interested instead inflation keep keeps hacked kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding increments increasses increasing increases high her help elsewhere he having havent have has hardly hard happy hand half had hacking hackednot hike hikes hiking husband increased income improvements im ill if idea hungry history huge how households household house hosehold holder email dont else benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because became barely bank bill billings awhile but card cant cannot cancelling canceling cancel can by business bills buggin budget broke break boyfriend both blindly bit back away eliminating additional agree againlater again after afford adicional addtional addresses addition all adding added activities acct accounts account access about alarming allowed automatically anticonsumer aunt at as aren apps aparently anymore any another almost annually and an amounts amount amercian also already care cared caring death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day date damn dad cutting cut customers disappointed disgusting caused drastically el edge easily earlier each duplicate due drive drain disgusts down double limited done don doesnt do divorce customer current currency checking come combining combine climbing climb city choose choice cheaper creep charging charges charged changing changes changed change cell coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limit loyal limiting spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son someone some stop stopping return system than terrible temporary temporarily taste talk taking take switching stranger summer success subscriptions subscription subscribers subscriber sub stupid so situation single same seems see secure second scaling scales saving save run since rules rule rotating rising risen rise ripped right seen selection sense series significant signaling sight sick shoves shouldn should short sharing share shady several settled set servicio services service thanks that thats was were went well weeks week we way waste warrant ut wants wanted want waiting wait vs virtue value whats where while who youll yet years yearly year yall ya wouldn would workable work won without with will wife why vaccine using there tightening tooo too told today tired tipped times time tight users throughout through this think things thing they these town tracking tried try use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ridiculous retiring little new nothing nonsense non no nice next news newest never now needed need my must multiple much moving moved notified of retired ontario our others other or option opportunity opening opened only off oneday one once on ok often offset offer move more months loose making makes make made luck loyalty lost losing looking monthly longer long lol locations location ll living live manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may out outside over raising recent reason really reality reactivate rather rates rate raises profiles raised quickly quality putting put pushed provider profits recently recession rectifying redo
Topic 19 | Coherence=-223366.86 | Top words= and charge extra my no you your to it ut bye re uses college daughter sign thank good when anyways subscription worth she in for me sharing with if im support family will more longer parents an too hacked hard fix allow future anticonsumer enough unfair cutting moving card declined gonna grandkids fuel guys greedy greed great games garbage gas hacking get hackednot gouging emails getting gf girl give given elsewhere gotten got email goes going gone from go expenses end frequent every few feet fees everything feel fee fault far fan fair fact face expected extortion fiance even euro focused free forth forever expensive food entertaining flat finally fixed entertainment first financially financial especially forcing youre had jacking keeps keeping keep justify just joint join job itself half its issues issue isnt isn is iny intolerable kept kidding kids lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid into interested instead holder hiking hikes hike higher high her help eliminating health he having havent have has hardly happy hand history horrible inflation hosehold increments increasses increasing increases increased increase income improvements ill idea husband hungry huge how households household house else done el before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest edge budget cancelling canceling cancel can by but business buggin broke bill break boyfriend both blindly bit bills billings billing away automatically aunt adding again after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about againlater agree alarming all as aren are apps aparently anymore any another annually amounts amount amercian am also already almost allowed cannot cant care days different differences didnt deteriorated delivering decisions death deal day creep date damn dad cut customers customer currently current direction disappointed discontinue disgusting easily earlier each duplicate due drive drastically drain down double dont live don doesnt do divorce disgusts currency credit cared charging combine climbing climb city choose choice checking cheaper charges covid charged changing changes changed change cell caused caring combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared little loyal living spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping so take thanks than terrible temporary temporarily taste talk taking system stranger switching summer success subscriptions subscribers subscriber sub stupid some situation retiring run see secure second scaling scales saving save same rules seen rule rotating rising risen rise ripped right ridiculous seems selection single short since significant signaling sight sick shoves shouldn should share sense shady several settled set servicio services service series that thats the was were went well weeks week we way waste warrant whats wants wanted want waiting wait vs virtue value what where their would youll yet years yearly year yall ya wouldn workable while work wont won without willing wife why who vaccine using users tight tooo told today tired tipped times time tightening throughout used through this think things thing they these there town tracking tried try use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying return retired ll nonsense offered offer off of now notified nothing not nonesence often non nice next news newest new never needed offset ok must options over outside out our others other original or option on opportunity opening opened ontario only oneday one once need multiple resume loyalty market many manservices making makes make made luck lower may lost losing loose looking long lol locations location married maybe much mom moved move months monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced own owner raised really reality reactivate rather rates rate raising raises raise recent quickly quality putting put pushed provider profits profit reason recently owning replace resubscribe
Topic 20 | Coherence=-213434.28 | Top words= my subscription has an with already in will moving away passed bf he dont husband anymore rejoin but stepdad one need wife get so like owner raising settled account once paying phone later virtue offered cancelling signaling temporarily parent political spouse owning joint take financial changed subscriptions person aunt situation this constantly be hosehold emails long is gas games future fuel from legacy frequent free forth forever forcing less for food focused garbage increasses fixed left gone lack laid going last goes layoff go given give girl learning leave gf getting flat fix good first letting extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end life extra face fact fees financially lesser finally fiance few feet feel let fee fault far fan family fair gonna kids increasing help how households household house horrible holder history hiking hikes hike isn higher isnt issue high huge hungry iny instead increases increments increased increase inflation income improvements idea interested into im ill if intolerable her issues got it hacked just justify guys greedy greed keep keeping great keeps grandkids kept kidding gouging gotten hackednot hacking had email its health itself having havent have hardly half hard jacking happy job hand join youre down elsewhere benefit bill biggest biden biased biannually between better benefits being billings begin before been becoming because became barely bank billing bills awhile bye cared care card cant cannot canceling cancel can by bit business buggin budget broke break boyfriend both blindly back automatically else addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts access acceptance absurd about agree all at another as aren are apps aparently anyways any anticonsumer annually allow and amounts amount amercian am also almost allowed caring caused cell death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting change drive eliminating el edge easily earlier each duplicate due drastically disgusts drain limited double done don doesnt do divorce customers customer currently choose coming come combining combine college climbing climb city choice current checking cheaper charging charges charged charge changing changes company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected limit loyal limiting starting stupid stranger stopping stopped stop stealing stay states started subscriber start squeeze spouses spending spend span sorry soon sub subscribers right than these there their the thats that thanks thank terrible success temporary taste talk taking system switching support summer son something someone saving selection seen seems see secure second scaling scales save some same run rules rule rotating rising risen rise sense series service services single since significant sign sight sick shoves shouldn should short she sharing share shady several set servicio they thing things we when whats what were went well weeks week way value waste was warrant wants wanted want waiting wait where while who why youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing vs vaccine think today trying try tried tracking town tooo too told to ut tired tipped times time tightening tight throughout through twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped ridiculous little newest not nonsense nonesence non no nice next news new notified never needed must multiple much moved move more nothing now return opened others other original or options option opportunity opening ontario of only oneday on ok often offset offer off months monthly month losing makes make made luck loyalty your lower lost loose money looking longer lol locations location ll living live making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married our out outside rates recently recent reason really reality reactivate re rather rate profits raises raised raise quickly quality putting put pushed recession rectifying redo reduce
Topic 21 | Coherence=-225736.71 | Top words= anymore it to up nice pop forcing iny lost keeping make shoves choice not especially currently subscriber don life for just face use more price me expensive so subscription your afford worth cant with enough have you caused is by now thanks president inflation want do biden way get warrant no paying increase using cost often increasing services temporarily scaling change down longer feet system rates currency from fuel grandkids good gouging gotten future left got games great girl garbage gonna gf gas gone leave going goes go getting given give frequent focused free forth far fan family fair fact lesser extra let extortion letting expenses expected everything every even euro added fault fee feel fixed forever acct legacy food activities greedy flat fix fees first financially financial less finally fiance few greed hardly guys instead issue isnt isn access intolerable into interested increments ill increasses layoff increases increased income in improvements issues acceptance its itself about kids kidding kept keeps laid absurd keep justify last joint join later job jacking im if hacked has her entertainment help health he having havent lack idea hard happy hand half had hacking hackednot high higher hike hikes husband hungry huge account how households household accounts house hosehold horrible holder history learning hiking adicional each entertaining boyfriend blindly bit bills billings billing bill biggest addresses biased biannually bf between better benefits benefit being begin both break been broke changes changed cell caring cared care card cannot cancelling canceling cancel can bye but business buggin budget before becoming additional another and an amounts amount amercian am also already almost allowed allow all alarming agree againlater again after annually anticonsumer because any became be barely bank back awhile addtional away automatically aunt at as aren are apps aparently anyways changing charge end divorce disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date disgusts doesnt dad like emails email elsewhere else eliminating el edge easily earlier duplicate due drive drastically drain double dont done damn cutting charged connected competitive compared company coming come combining combine college climbing climb city choose addition checking cheaper charging charges compromised consider cut consolidating customers customer current creep credit covid courtesy adding country costs continuous continues continue continually continously constantly constant youre loyal limit spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped limited take that thank than terrible temporary taste talk taking switching stopping support summer success subscriptions subscribers sub stupid stranger situation single since rules see secure second scales saving save same run rule significant rotating rising risen rise ripped right ridiculous return seems seen selection sense signaling sign sight sick shouldn should short she sharing share shady several settled set servicio service series thats the their we when whats what were went well weeks week waste ut was wants wanted waiting wait vs virtue value where while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife vaccine uses there tightening tooo too told today tired tipped times time tight users throughout through this think things thing they these town tracking tried try used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retiring retired resume newest of notified nothing nonsense nonesence non next news new move never needed need my must multiple much moving off offer offered offset our others other original or options option opportunity opening opened ontario only oneday one once on ok moved months outside looking making makes made luck loyalty lower losing loose long monthly lol locations location ll living live little limiting manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may out over resubscribe raised really reality reactivate re rather rate raising raises raise problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 22 | Coherence=-220536.13 | Top words= is the your pricing addition and of terrible charges greedy increasing was with increase sharing what prices much company be too subscription high half should fees charged playing am games tired pay subscribers greed willing news disgusts sub disappointed think rising way me currently service prescription family added reside last second keeps do monthly constantly customer before been pop than garbage girl free frequent from given gas going forth give gf good goes gone fuel future get getting gonna got go youre forever forcing fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails fair fan far first for food focused flat fixed fix gouging financially fault financial finally fiance few feet feel fee gotten has grandkids issue joint join job jacking itself its it issues isnt great isn iny intolerable into interested instead inflation increments just justify keep keeping like life letting let lesser less legacy left leave learning layoff later laid lack kids kidding kept increasses increases increased hike her help health he having havent have elsewhere hardly hard happy hand had hacking hackednot hacked guys higher hikes income hiking in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history email don else being biden biased biannually bf between better benefits benefit begin aunt becoming because became barely bank back awhile away biggest bill billing billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills automatically at eliminating additional agree againlater again after afford adicional addtional addresses adding as activities acct accounts account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost cannot cant card days differences didnt deteriorated delivering declined decisions death deal day care daughter date damn dad cutting cut customers current different direction discontinue disgusting el edge easily earlier each duplicate due drive drastically drain down double dont done limited doesnt divorce currency creep credit combine climbing climb city choose choice checking cheaper charging charge changing changes changed change cell caused caring cared college combining covid come courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised competitive compared coming limit loyal limiting spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping retired taking thats that thanks thank temporary temporarily taste talk take stranger system switching support summer success subscriptions subscriber stupid some so situation run seems see secure scaling scales saving save same rules single rule rotating risen rise ripped right ridiculous return seen selection sense series since significant signaling sign sight sick shoves shouldn short she share shady several settled set servicio services their there these we where when whats were went well weeks week waste vaccine warrant wants wanted want waiting wait vs virtue while who why wife youll you yet years yearly year yall ya wouldn would worth workable work wont won without will value ut they tipped try tried tracking town tooo told today to times using time tightening tight throughout through this things thing trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under retiring resume little newest nothing not nonsense nonesence non no nice next new now never needed need my must multiple moving moved notified off resubscribe ontario other original or options option opportunity opening opened only offer oneday one once on ok often offset offered move more months loose makes make made luck loyalty lower lost losing looking month longer long lol locations location ll living live making manservices many market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married others our out raised reality reactivate re rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit really reason recent recently
Topic 23 | Coherence=-231166.19 | Top words= other services so and extra better prices for only need with cheaper you reason people kept gonna dont subscriptions youre out if charge charging im raising one have in subscription do that to needed moved we more why house guys put forth good want two keep not significant boyfriend household an multiple our than it financially aparently lol hard card pay family my time option replace layoff forever forcing fix fixed first food frequent focused flat free increased from learning going goes go given give girl gf getting last get gas garbage later games future fuel leave financial every let expensive expenses expected everything letting even lesser euro especially entertainment entertaining enough end extortion face laid fee finally fiance few feet fees feel left less fault far fan fair fact legacy gone gotten lack holder iny is hosehold isn isnt horrible history how hiking issue hikes hike higher high households huge kids inflation income increases increasing increasses improvements increments ill hungry instead interested into idea intolerable husband her help health kidding had hacking keeping keeps hackednot hacked greedy he greed great grandkids gouging increase got justify just joint join job half jacking hand happy hardly has email itself havent its having issues emails drain elsewhere else biased biannually bf between benefits benefit being begin before been becoming because became be barely bank back awhile away biden biggest bill business cannot cancelling canceling cancel can bye by but buggin billing budget broke break both blindly bit bills billings automatically aunt at adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as annually aren are apps anyways anymore any anticonsumer another amounts all amount amercian am also already almost allowed allow cant care cared deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drive eliminating el edge easily earlier each duplicate due drastically disgusting like down double done don doesnt divorce disgusts customer current caring choice come combining combine college climbing climb city choose checking company charges charged changing changes changed change cell caused coming compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised life loyal limit started stopping stopped stop stepdad stealing stay states starting start something squeeze spouses spouse spending spend span sorry soon stranger stupid sub subscriber the thats thanks thank terrible temporary temporarily taste talk taking take system switching support summer success subscribers son someone there scales sense selection seen seems see secure second scaling saving some save same run rules rule rotating rising risen series service servicio set situation single since signaling sign sight sick shoves shouldn should short she sharing share shady several settled their these ripped way when whats what were went well weeks week waste vaccine was warrant wants wanted waiting wait vs virtue where while who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will value ut they tipped tried tracking town tooo too told today tired times using tightening tight throughout through this think things thing try trying twice unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right limited news notified nothing nonsense nonesence non no nice next newest money new never must much moving move months monthly now of off offer over outside others original or options opportunity opening opened ontario oneday once on ok often offset offered month monetary own looking made luck loyalty your lower lost losing loose longer moment long locations location ll living live little limiting make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many overpriced owner ridiculous rates recession recently recent really reality reactivate re rather rate profit raises raised raise quickly quality putting pushed provider rectifying redo reduce reducing
Topic 24 | Coherence=-220082.87 | Top words= to of the and increases want my be different will money people more go country moved even currency up out continue service current squeeze changed try back yet location had she passed cheaper mom away account saving with moving continuous share replace additional us deal users reflect rather reality all girl goes every everything given give financially going getting get gas expected expenses garbage gf euro gone gonna especially good got gotten gouging grandkids entertainment great entertaining enough greed end greedy games future first fan financial finally fiance fix fixed few feet flat fees feel fee focused fault far food fuel for family fair fact forcing face forever forth free extra extortion frequent from expensive guys youre hacked it justify just joint join job jacking itself its issues keeping issue isnt isn is iny intolerable into interested keep keeps inflation left limit like life letting let lesser less legacy leave kept learning layoff later last laid lack kids kidding instead increments hackednot emails hikes hike higher high her help health he havent history have has hardly hard happy hand half hacking hiking holder increasses if increasing increased increase income in improvements im ill idea horrible husband hungry huge how households household house hosehold having double email being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank awhile biggest billing elsewhere business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at addition agree againlater again after afford adicional addtional addresses adding as added activities acct accounts access acceptance absurd about alarming allow allowed almost aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already cant card care declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions customers death days day daughter date damn dad cutting disgusts divorce do doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down limiting dont done don cut customer cared charging combine college climbing climb city choose choice checking charges currently charged charge changing changes change cell caused caring combining come coming company creep credit covid courtesy costs cost continues continually continously constantly constant consolidating consider connected compromised competitive compared limited loyal little started stopping stopped stop stepdad stealing stay states starting start stupid spouses spouse spending spend span sorry soon son stranger sub thats taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers something someone some save selection seen seems see secure second scaling scales same so run rules rule rotating rising risen rise ripped sense series services servicio situation single since significant signaling sign sight sick shoves shouldn should short sharing shady several settled set that their live way whats what were went well weeks week we waste where was warrant wants wanted waiting wait vs virtue when while there would youll you years yearly year yall ya wouldn worth who workable work wont won without willing wife why value vaccine ut tightening tooo too told today tired tipped times time tight using throughout through this think things thing they these town tracking tried trying uses used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right ridiculous return no off now notified nothing not nonsense nonesence non nice offered next news newest new never needed need must offer offset retiring opportunity outside our others other original or options option opening often opened ontario only oneday one once on ok multiple much move lost making makes make made luck loyalty your lower losing months loose looking longer long lol locations ll living manservices many market married monthly month monetary moment mistake mind might merge memberships membership members member medical means me maybe may over overpriced own raised reason really reactivate re rates rate raising raises raise problem quickly quality putting put pushed provider profits profit recent recently recession rectifying
Topic 25 | Coherence=-220998.38 | Top words= price and keep subscription increase you of increases sharing charges need prices with limited recent bye talk why terrible agree quality only access one upping garbage high changes now addition blindly should policy people paying amounts huge tracking do households by combine limiting greed remarried dont reflect the problem not becoming increasing aparently tired oneday activities money retiring free legacy forth less good forever from forcing for food focused frequent games fuel give learning gone leave going goes go given girl future gf getting get gas fixed left gonna flat let fix fair face extra extortion like expensive expenses expected everything limit every even euro especially entertainment entertaining fact family first fan financially lesser gotten financial finally fiance few feet fees feel fee letting fault far life got issue gouging improvements itself ill if idea husband hungry jacking job how join household house hosehold joint horrible im in just income isnt isn is iny intolerable into interested instead inflation increments issues increasses it increased its holder justify grandkids has laid hard happy hand last later half had hacking hackednot hacked guys greedy great layoff hardly have history lack hiking hikes hike keeping keeps higher kept her help kidding kids health he having havent enough youre end benefit biggest biden biased biannually bf between better benefits being billing begin before been because became be barely bank bill billings caused can cared care card cant cannot cancelling canceling cancel but bills business buggin budget broke break boyfriend both bit back awhile away addresses all alarming againlater again after afford adicional addtional additional automatically adding added acct accounts account acceptance absurd about allow allowed almost already aunt at as aren are apps anyways anymore any anticonsumer another annually an amount amercian am also caring cell emails decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts change each email elsewhere else eliminating el edge easily earlier duplicate divorce due drastically drain down double done don doesnt cut customers customer city compared company coming come combining college climbing climb choose currently choice checking cheaper charging charged charge changing changed competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating drive loyal little starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber risen temporarily there their thats that thanks thank than temporary taste subscribers taking take system switching support summer success subscriptions soon son something second service series sense selection seen seems see secure scaling someone scales saving save same run rules rule rotating services servicio set settled some so situation single since significant signaling sign sight sick shoves shouldn short she share shady several these they thing we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will vs value things to trying try tried town tooo too told today tipped vaccine times time tightening tight throughout through this think twice two unable under ut using uses users used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rising rise live new nonsense nonesence non no nice next news newest never notified needed my must multiple much moving moved move nothing off ripped opportunity out our others other original or options option opening offer opened ontario once on ok often offset offered more months monthly losing makes make made luck loyalty your lower lost loose month looking longer long lol locations location ll living making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married outside over overpriced rates recession recently reason really reality reactivate re rather rate profits raising raises raised raise quickly putting put pushed rectifying redo reduce reducing
Topic 26 | Coherence=-228686.10 | Top words= at it time prices and increasing no keep only going for customer is long rates like alarming there will subscriber loyalty feel we are you not the business that this guys dont well decisions resubscribe make making sense doesnt my being when of subscription out opportunity greedy has work charge daughter same outside raising every residence support increase won summer can justify coming moment play second interested declined re temporary want services since hard year been have before garbage games everything gas expensive expenses get expected gonna gf getting even girl euro give especially entertainment entertaining given go goes enough end future extra fuel extortion fiance few finally financial financially first feet fees fix fixed flat focused fee food fault far forcing fan forever family forth free fair fact frequent face from gone youre good instead issues issue isnt isn iny intolerable into inflation itself increments increasses increases increased income in improvements its jacking ill lack left leave learning layoff later last laid kids job kidding kept keeps keeping just joint join im if got had having havent email hardly happy hand half hacking health hackednot hacked greed great grandkids gouging gotten he help idea hosehold husband hungry huge how households household house horrible her holder history hiking hikes hike higher high emails do elsewhere begin biden biased biannually bf between better benefits benefit becoming aunt because became be barely bank back awhile away biggest bill billing billings cant cannot cancelling canceling cancel bye by but buggin budget broke break boyfriend both blindly bit bills automatically as else adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed card care cared days direction different differences didnt deteriorated delivering death deal day caring date damn dad cutting cut customers currently current disappointed discontinue disgusting disgusts eliminating el edge easily earlier each duplicate due drive drastically drain down double done don less divorce currency creep credit combining college climbing climb city choose choice checking cheaper charging charges charged changing changes changed change cell caused combine come covid company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared legacy loyal lesser spend states starting started start squeeze spouses spouse spending span thanks sorry soon son something someone some so situation stay stealing stepdad stop than terrible temporarily taste talk taking take system switching success subscriptions subscribers sub stupid stranger stopping stopped single significant signaling see scaling scales saving save run rules rule rotating rising risen rise ripped right ridiculous return retiring retired secure seems sign seen sight sick shoves shouldn should short she sharing share shady several settled set servicio service series selection thank thats restriction wants were went weeks week way waste was warrant wanted their waiting wait vs virtue value vaccine ut using what whats where while youll yet years yearly yall ya wouldn would worth workable wont without with willing wife why who uses users used tracking tooo too told today to tired tipped times tightening tight throughout through think things thing they these town tried use try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resume restrict let must nice next news newest new never needed need multiple original much moving moved move more months monthly month non nonesence nonsense nothing options option opening opened ontario oneday one once on ok often offset offered offer off now notified money monetary mom your lost losing loose looking longer lol locations location ll living live little limiting limited limit life letting lower luck mistake made mind might merge memberships membership members member medical means me maybe may married market many manservices makes or other restart pushed rate raises raised raise quickly quality putting put provider others profits profit profiles problem pricing price president prescription rather reactivate reality
Topic 27 | Coherence=-226190.43 | Top words= you for sharing pay the to from that people more price keep new charging greed your charge they just and stop will fee want loose subscriptions cant guys something because increase is less constant market shouldn creep manservices drive competitive down got what pick done paying with pricing why when caring fault prefer yearly upping take like shoves break time these this bye on some seen keeping fixed flat extortion getting expensive expenses expected everything every gf even euro especially girl give given entertainment entertaining go goes enough going end gone emails gonna email good extra face get fiance focused food fix first forcing financially forever forth free financial frequent finally fuel gas few feet fees future feel games far garbage fan family fair fact youre hard gotten itself it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases increased income its jacking improvements job lesser legacy left leave learning layoff later last laid lack kids kidding kept keeps justify joint join in im gouging help he having havent have has hardly else happy hand half had hacking hackednot hacked greedy great grandkids health her ill high if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike higher elsewhere disgusts eliminating became better benefits benefit being begin before been becoming be aren barely bank back awhile away automatically aunt at between bf biannually biased can by but business buggin budget broke boyfriend both blindly bit bills billings billing bill biggest biden as are canceling adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cancel cancelling el day didnt deteriorated delivering declined decisions death deal days daughter currency date damn dad cutting cut customers customer currently differences different direction disappointed edge easily earlier each duplicate due drastically drain double dont don doesnt do divorce letting disgusting discontinue current credit cannot charged climbing climb city choose choice checking cheaper charges changing covid changes changed change cell caused cared care card college combine combining come courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised compared company coming let loyal life spend states starting started start squeeze spouses spouse spending span signaling sorry soon son someone so situation single since stay stealing stepdad stopped temporary temporarily taste talk taking system switching support summer success subscription subscribers subscriber sub stupid stranger stopping significant sign restrict risen saving save same run rules rule rotating rising rise sight ripped right ridiculous return retiring retired resume resubscribe scales scaling second secure sick should short she share shady several settled set servicio services service series sense selection seems see terrible than thank warrant went well weeks week we way waste was wants thanks wanted waiting wait vs virtue value vaccine ut were whats where while youll yet years year yall ya wouldn would worth workable work wont won without willing wife who using uses users tracking tooo too told today tired tipped times tightening tight throughout through think things thing there their thats town tried used try use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying restriction restart limit never nonsense nonesence non no nice next news newest needed monthly need my must multiple much moving moved move not nothing notified now options option opportunity opening opened ontario only oneday one once ok often offset offered offer off of months month respect long made luck loyalty lower lost losing looking longer lol money locations location ll living live little limiting limited make makes making many monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married or original other quality rather rates rate raising raises raised raise quickly putting others put pushed provider profits profit profiles problem prices re reactivate reality
Topic 28 | Coherence=-223249.56 | Top words= price to the subscriptions greedy way many your hikes over past few years not money because you too charging have up or subscription after share as getting has this since earlier married oneday sorry went two opened mistake consolidating duplicate got being by pagos por new servicio loyal adicional el ya girl merge households increasing putting especially everything provider days nice my caused payment even goes give given great extra extortion enough go entertaining expensive grandkids going good expenses gone gouging expected entertainment every gotten face gonna euro financially family gf feel first fix fixed financial flat finally fiance focused feet greed fees for forcing forever fee fact forth free frequent from fuel fault future far games garbage gas fan get fair food havent guys increments joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead just justify keep layoff let lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps inflation increasses hacked increases hike higher high her help health he having emails hardly hard happy hand half had hacking hackednot hiking history holder if increased increase income in improvements im ill idea horrible husband hungry huge how household house hosehold end double email before biased biannually bf between better benefits benefit begin been biggest becoming became be barely bank back awhile away biden bill aunt buggin cannot cancelling canceling cancel can bye but business budget billing broke break boyfriend both blindly bit bills billings automatically at card adding agree againlater again afford addtional addresses additional addition added all activities acct accounts account access acceptance absurd about alarming allow aren annually are apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost cant care elsewhere deal different differences didnt deteriorated delivering declined decisions death day disappointed daughter date damn dad cutting cut customers customer direction discontinue current drain else eliminating edge easily each due drive drastically down disgusting life dont done don doesnt do divorce disgusts currently currency cared cheaper combine college climbing climb city choose choice checking charges come charged charge changing changes changed change cell caring combining coming creep continue credit covid courtesy country costs cost continuous continues continually company continously constantly constant consider connected compromised competitive compared letting youre like start stopped stop stepdad stealing stay states starting started squeeze some spouses spouse spending spend span soon son something stopping stranger stupid sub thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers subscriber someone so thats save seen seems see secure second scaling scales saving same situation run rules rule rotating rising risen rise ripped selection sense series service single significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set services that their limit waste when whats what were well weeks week we was vaccine warrant wants wanted want waiting wait vs virtue where while who why youll yet yearly year yall wouldn would worth workable work wont won without with willing will wife value ut there time tracking town tooo told today tired tipped times tightening using tight throughout through think things thing they these tried try trying twice uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable right ridiculous return news now notified nothing nonsense nonesence non no next newest more never needed need must multiple much moving moved of off offer offered out our others other original options option opportunity opening ontario only one once on ok often offset move months retiring long luck loyalty lower lost losing loose looking longer lol monthly locations location ll living live little limiting limited made make makes making month monetary moment mom mind might memberships membership members member medical means me maybe may market manservices outside overpriced own rates recently recent reason really reality reactivate re rather rate owner raising raises raised raise quickly quality put pushed recession rectifying redo
Topic 29 | Coherence=-217464.58 | Top words= the service no worth price longer my good it with too expensive is money value getting increases get cost have now provider through enough phone vs cannot am thanks frequent but multiple justify amount given free connected users isnt stopped billings way any cell overpriced choice subscriptions life as also face great hacked even euro guys gf girl give email especially hackednot go goes entertainment going greed gone gonna entertaining end got gas gouging emails grandkids greedy gotten games every fixed first fair financially family fan far financial fault fee finally fiance few feet fees feel fix flat everything had expected garbage future fuel from expenses extortion forth forever extra forcing for food focused fact hacking youre half kidding keeps keeping keep just joint join job jacking itself its issues issue isn iny intolerable into interested kept kids hand lack little limiting limited limit like letting let lesser less legacy left leave learning layoff later last laid instead inflation increments increasses history hiking hikes hike higher high her else help health he having havent has hardly hard happy holder horrible hosehold ill increasing increased increase income in improvements im if house idea husband hungry huge how households household elsewhere double eliminating before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest care buggin cant cancelling canceling cancel can bye by business budget bill broke break boyfriend both blindly bit bills billing away automatically aunt adding again after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about againlater agree alarming all aren are apps aparently anyways anymore anticonsumer another annually and an amounts amercian already almost allowed allow card cared el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue caring drain edge easily earlier each duplicate due drive drastically down disgusting living dont done don doesnt do divorce disgusts customer currently current cheaper combining combine college climbing climb city choose checking charging currency charges charged charge changing changes changed change caused come coming company compared creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider compromised competitive live loyal ll spouses stepdad stealing stay states starting started start squeeze spouse stopping spending spend span sorry soon son something someone stop stranger so take thank than terrible temporary temporarily taste talk taking system stupid switching support summer success subscription subscribers subscriber sub some situation thats save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio that their location we when whats what were went well weeks week waste while was warrant wants wanted want waiting wait virtue where who ut wouldn youll you yet years yearly year yall ya would why workable work wont won without willing will wife vaccine using there time town tooo told today to tired tipped times tightening tried tight throughout this think things thing they these tracking try uses unneeded used use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice right ridiculous return nonesence offered offer off of notified nothing not nonsense non often nice next news newest new never needed need offset ok much options over outside out our others other original or option on opportunity opening opened ontario only oneday one once must moving retiring loyalty market many manservices making makes make made luck your may lower lost losing loose looking long lol locations married maybe moved mistake move more months monthly month monetary moment mom mind me might merge memberships membership members member medical means own owner owning rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying pagos reside retired
Topic 30 | Coherence=-219502.72 | Top words= bill my company youre but about its are family extortion pay extra have charge different subscriptions me was when subscription for using hacked that power paying outside states don will by want resume done bank customers notified used thats being money stranger today changing profits reflect news only gotten gonna entertainment good go given give got girl gone going goes expensive entertaining gouging fair grandkids great greed enough greedy guys fact face hackednot hacking end especially fault gf flat expenses fix even first financially financial finally fiance every everything few feet fees feel fee fixed focused getting food get expected garbage games future fuel fan from frequent free forth forever euro forcing far gas he had itself keeping keep justify just joint join job jacking it kept issues issue isnt isn is iny intolerable into keeps kidding half less limiting limited limit like life letting let lesser legacy kids left leave learning layoff later last laid lack interested instead inflation help holder history hiking hikes hike higher high her health increments email having havent has hardly hard happy hand horrible hosehold house household increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how households emails down elsewhere becoming bf between better benefits benefit begin before been because biased became be barely back awhile away automatically aunt biannually biden card budget cannot cancelling canceling cancel can bye business buggin broke biggest break boyfriend both blindly bit bills billings billing at as aren addition againlater again after afford adicional addtional addresses additional adding apps added activities acct accounts account access acceptance absurd agree alarming all allow aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed cant care else days differences didnt deteriorated delivering declined decisions death deal day disappointed daughter date damn dad cutting cut customer currently direction discontinue cared drive eliminating el edge easily earlier each duplicate due drastically disgusting drain live double dont doesnt do divorce disgusts current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged changes changed change cell caused caring combining come coming compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive little loyal living spouses stop stepdad stealing stay starting started start squeeze spouse stopping spending spend span sorry soon son something someone stopped stupid so talk the thanks thank than terrible temporary temporarily taste taking sub take system switching support summer success subscribers subscriber some situation ll saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio their there these we where whats what were went well weeks week way who waste warrant wants wanted waiting wait vs virtue while why they wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing value vaccine ut times tracking town tooo too told to tired tipped time uses tightening tight throughout through this think things thing tried try trying twice users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous nice of now nothing not nonsense nonesence non no next offer newest new never needed need must multiple much off offered overpriced opportunity out our others other original or options option opening offset opened ontario oneday one once on ok often moving moved move lower manservices making makes make made luck loyalty your lost more losing loose looking longer long lol locations location many market married may months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe over own return raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession owner reside retiring
Topic 31 | Coherence=-218857.64 | Top words= too access your is and subscription why am you now checking luck increments we canceling many greed good be where will the much how keep their they tracking people cost has quickly way risen cant increased so tooo flat lol horrible broke months biggest gas garbage games get getting youre gf girl hackednot hacked guys greedy great grandkids gouging gotten got gonna gone fuel going goes go given give future focused from every fair fact face extra extortion expensive expenses expected everything even frequent euro especially entertainment entertaining enough end emails email elsewhere family fan far fault free forth forever forcing for food had fixed fix first financially financial finally fiance few feet fees feel fee hacking higher half intolerable kidding kept keeps keeping justify just joint join job jacking itself its it issues issue isnt isn kids lack laid let little limiting limited limit like life letting lesser last less legacy left leave learning layoff later iny into hand interested holder history hiking hikes hike eliminating high her help health he having havent have hardly hard happy hosehold house household in instead inflation increasses increasing increases increase income improvements households im ill if idea husband hungry huge else dont el before biannually bf between better benefits benefit being begin been biden becoming because became barely bank back awhile away biased bill aunt business card cannot cancelling cancel can bye by but buggin billing budget break boyfriend both blindly bit bills billings automatically at edge addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian also already almost allowed care cared caring days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed caused down easily earlier each duplicate due drive drastically drain double discontinue living done don doesnt do divorce disgusts disgusting currently current currency cheaper combining combine college climbing climb city choose choice charging creep charges charged charge changing changes changed change cell come coming company compared credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive live loyal ll spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping situation system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid some single return save seen seems see secure second scaling scales saving same sense run rules rule rotating rising rise ripped right selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services thank thanks that warrant what were went well weeks week waste was wants when wanted want waiting wait vs virtue value vaccine whats while thats would youll yet years yearly year yall ya wouldn worth who workable work wont won without with willing wife ut using uses tightening town told today to tired tipped times time tight users throughout through this think things thing these there tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring location nonsense offset offered offer off of notified nothing not nonesence ok non no nice next news newest new never often on need or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one needed my retired made maybe may married market manservices making makes make loyalty means lower lost losing loose looking longer long locations me medical must monetary multiple moving moved move more monthly month money moment member mom mistake mind might merge memberships membership members own owner owning raising reason really reality reactivate re rather rates rate raises recently raised raise quality putting put pushed provider profits recent recession pagos repurposing resume
Topic 32 | Coherence=-231852.11 | Top words= and my to you are for greedy that different in me have charge taste disgusting will subscriptions the is price kids ridiculous going we extortion family bill increases live about since re cancel two increase youre its membership want mom places restrict another anticonsumer more city intolerable how unfair even using fair constant fee subscription service time fiance consolidating with moving became short member amount of same raised double emails go gf payment cut profit inflation kidding food gas girl choose card afford enough added addresses finally financial financially first feet fix kept fixed flat focused keeps few keeping keep forcing forever justify forth free frequent from fuel future just games joint garbage join get lack husband laid job letting entertainment especially euro let lesser every everything expected expenses expensive less legacy extra face left fact leave learning fan far layoff fault later last feel fees getting jacking idea itself hardly has increasing havent having he health increased help her high higher income hike improvements hikes im hiking ill history holder horrible hosehold house household households if huge hungry increasses increments hard gouging give it given issues issue isnt goes isn gone gonna good got gotten grandkids happy great greed iny guys into interested hacked hackednot hacking had half hand instead entertaining don end billings biggest biden biased biannually bf between better benefits benefit being begin before been becoming because be barely billing bills back bit care cant cannot cancelling canceling can bye by but business buggin budget broke break boyfriend both blindly bank awhile caring allow alarming agree againlater again after adicional addtional additional addition adding activities acct accounts account access acceptance absurd all allowed away almost automatically aunt at as aren apps aparently anyways anymore any annually an amounts amercian am also already cared caused email divorce discontinue disappointed direction differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad disgusts do customers doesnt elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down dont done like cutting customer cell compared coming come combining combine college climbing climb choice checking cheaper charging charges charged changing changes changed change company competitive currently compromised current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consider connected life loyal limit spouses stepdad stealing stay states starting started start squeeze spouse so spending spend span sorry soon son something someone stop stopped stopping stranger thank than terrible temporary temporarily talk taking take system switching support summer success subscribers subscriber sub stupid some situation thats run seems see secure second scaling scales saving save rules single rule rotating rising risen rise ripped right return seen selection sense series significant signaling sign sight sick shoves shouldn should she sharing share shady several settled set servicio services thanks their retired way when whats what were went well weeks week waste vaccine was warrant wants wanted waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife value ut there tightening town tooo too told today tired tipped times tight uses throughout through this think things thing they these tracking tried try trying users used use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable twice retiring resume limited next notified nothing not nonsense nonesence non no nice news move newest new never needed need must multiple much now off offer offered other original or options option opportunity opening opened ontario only oneday one once on ok often offset moved months our looking made luck loyalty your lower lost losing loose longer monthly long lol locations location ll living little limiting make makes making manservices month money monetary moment mistake mind might merge memberships members medical means maybe may married market many others out resubscribe quickly reality reactivate rather rates rate raising raises raise quality president putting put pushed provider profits profiles problem pricing really reason recent recently
Topic 33 | Coherence=-220295.81 | Top words= to money it save as much need trying the and other dont use possible services just now some me am first cancel month bills reduce spending cut let spend didnt for another months was never fees right like prefer platforms second enough stop begin charge from direction outside fuel games great greed grandkids gouging greedy gotten future frequent garbage give good gas get getting gonna gone going goes go given gf girl got fix free everything fact face extra extortion expensive expenses expected every family even euro especially entertainment entertaining end emails fair fan forth financially forever forcing food focused flat fixed hacked financial far finally fiance few feet feel fee fault guys havent hackednot issue justify joint join job jacking itself its issues isnt increasses isn is iny intolerable into interested instead inflation keep keeping keeps kept limited limit life letting lesser less legacy left leave learning layoff later last laid lack kids kidding increments increasing hacking having hikes hike higher high her help health he elsewhere increases have has hardly hard happy hand half had hiking history holder horrible increased increase income in improvements im ill if idea husband hungry huge how households household house hosehold email youre else before biased biannually bf between better benefits benefit being been biggest becoming because became be barely bank back awhile biden bill automatically business cant cannot cancelling canceling can bye by but buggin billing budget broke break boyfriend both blindly bit billings away aunt care adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at annually aren are apps aparently anyways anymore any anticonsumer an all amounts amount amercian also already almost allowed allow card cared eliminating days different differences deteriorated delivering declined decisions death deal day discontinue daughter date damn dad cutting customers customer currently disappointed disgusting currency drastically el edge easily earlier each duplicate due drive drain disgusts little down double done don doesnt do divorce current creep caring cheaper combine college climbing climb city choose choice checking charging come charges charged changing changes changed change cell caused combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared limiting loyal live stealing subscribers subscriber sub stupid stranger stopping stopped stepdad stay subscriptions states starting started start squeeze spouses spouse span subscription success soon terrible these there their thats that thanks thank than temporary summer temporarily taste talk taking take system switching support sorry son living scaling service series sense selection seen seems see secure scales set saving same run rules rule rotating rising risen servicio settled something sight someone so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady they thing things weeks while where when whats what were went well week why we way waste warrant wants wanted want waiting who wife think wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing wait vs virtue today twice try tried tracking town tooo too told tired value tipped times time tightening tight throughout through this two unable under understand vaccine ut using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rise ripped ridiculous non offer off of notified nothing not nonsense nonesence no offset nice next news newest new needed my must offered often owner option overpriced over out our others original or options opportunity ok opening opened ontario only oneday one once on multiple moving moved lost making makes make made luck loyalty your lower losing move loose looking longer long lol locations location ll manservices many market married more monthly monetary moment mom mistake mind might merge memberships membership members member medical means maybe may own owning return rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying pagos residence retiring
Topic 34 | Coherence=-212391.58 | Top words= and greedy last starting prices additional just raising profiles is charge year after for profit increase keep money me in on years stealing yall havent been from because keeps other increasing even sorry would card future fuel grandkids great go forth greed guys hacked hackednot hacking free frequent games garbage gas get gouging gotten getting got good gf gonna gone girl going give goes given youre forever fair face extra extortion expensive expenses expected everything every euro especially entertainment entertaining enough end emails email elsewhere fact family forcing fan food focused flat fixed fix first financially financial finally fiance few feet fees feel fee fault far had health half later lack kids kidding kept keeping justify joint join job jacking itself its it issues issue isnt isn laid layoff intolerable learning location ll living live little limiting limited limit like life letting let lesser less legacy left leave iny into hand hosehold holder history hiking hikes hike higher high her help eliminating he having have has hardly hard happy horrible house interested household instead inflation increments increasses increases increased income improvements im ill if idea husband hungry huge how households else drive el care biden biased biannually bf between better benefits benefit being begin before becoming became be barely bank back awhile away biggest bill billing business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at adding agree againlater again afford adicional addtional addresses addition added all activities acct accounts account access acceptance absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost cant cared edge caring differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently different direction disappointed down easily earlier each duplicate due lol drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting current currency creep cheaper combine college climbing climb city choose choice checking charging come charges charged changing changes changed change cell caused combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared locations loyal long these subscriber sub stupid stranger stopping stopped stop stepdad stay states started start squeeze spouses spouse spending spend span soon subscribers subscription subscriptions temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer son something someone second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several there they longer thing what were went well weeks week we way waste was warrant wants wanted want waiting wait vs virtue value whats when where work youll you yet yearly ya wouldn worth workable wont while won without with willing will wife why who vaccine ut using tipped tracking town tooo too told today to tired times try time tightening tight throughout through this think things tried trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two rising risen rise ripped offset offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new never often ok once original owner own overpriced over outside out our others or one options option opportunity opening opened ontario only oneday needed need my make maybe may married market many manservices making makes made medical luck loyalty your lower lost losing loose looking means member must month multiple much moving moved move more months monthly monetary members moment mom mistake mind might merge memberships membership owning pagos parent reactivate redo rectifying recession recently recent reason really reality re reducing rather rates rate raises raised raise quickly quality reduce reflect put restrict right ridiculous
Topic 35 | Coherence=-217942.72 | Top words= and the this my don money for have is months to in few need back come budget ill losing job due tight month try once married memberships husband got two not wait recently stop spending several discontinue weeks ridiculous may increases return twice trying profit fault elsewhere next going resume hungry but will future garbage gas enough entertainment fuel entertaining games get far getting email grandkids gouging gotten else good gonna gone emails gf goes go given give end girl frequent from forcing free feet financial finally extortion fiance extra face fact forth fair fees family fan feel fee financially greed expensive first fix fixed expenses flat focused expected everything food every even euro especially forever great help greedy keeping justify just joint join jacking itself its it issues issue isnt isn iny intolerable into interested instead keep keeps guys kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding inflation increments increasses increasing high her el health he having havent has hardly hard happy hand half had hacking hackednot hacked higher hike hikes huge increased increase income improvements im if idea how hiking households household house hosehold horrible holder history eliminating youre edge easily bf between better benefits benefit being begin before been becoming because became be barely bank awhile away automatically aunt biannually biased biden broke cancelling canceling cancel can bye by business buggin break biggest boyfriend both blindly bit bills billings billing bill at as aren adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cannot cant card date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences credit double earlier each duplicate drive drastically drain down limited dont different done doesnt do divorce disgusts disgusting disappointed direction creep covid care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine courtesy constantly country costs cost continuous continues continue continually continously constant combining consolidating consider connected compromised competitive compared company coming limit loyal limiting squeeze stopped stepdad stealing stay states starting started start spouses stranger spouse spend span sorry soon son something someone stopping stupid that take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber some so situation saving selection seen seems see secure second scaling scales save single same run rules rule rotating rising risen rise sense series service services since significant signaling sign sight sick shoves shouldn should short she sharing share shady settled set servicio thanks thats little we where when whats what were went well week way who waste was warrant wants wanted want waiting vs while why their wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue value vaccine time town tooo too told today tired tipped times tightening ut throughout through think things thing they these there tracking tried unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped right retiring nonesence offered offer off of now notified nothing nonsense non often no nice news newest new never needed must offset ok retired or overpriced over outside out our others other original options on option opportunity opening opened ontario only oneday one multiple much moving loose makes make made luck loyalty your lower lost looking moved longer long lol locations location ll living live making manservices many market move more monthly monetary moment mom mistake mind might merge membership members member medical means me maybe own owner owning raises really reality reactivate re rather rates rate raising raised problem raise quickly quality putting put pushed provider profits reason recent recession rectifying
Topic 36 | Coherence=-220686.53 | Top words= for subscription my now the and on using another going be married got wife as divorce through getting will own courtesy left platform back hike people you charges rate im her before moving get awhile thank next preemptively accounts combining has prices canceling service of much spouses less but instead feet few do workable fix expected gonna gone everything expenses expensive goes extortion extra go good gotten every give gouging even grandkids euro great especially greed greedy guys entertainment entertaining hacked enough given face girl fault flat first financially focused financial food finally fiance hacking fees forcing feel forever fee forth gf free frequent from fuel future far games garbage fan gas family fair fact fixed hackednot youre had keeps keep justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable keeping kept half kidding limiting limited limit like life letting let lesser legacy leave learning layoff later last laid lack kids into interested inflation increments holder history hiking hikes higher high emails help health he having havent have hardly hard happy hand horrible hosehold house improvements increasses increasing increases increased increase income in ill household if idea husband hungry huge how households end drastically email benefit biggest biden biased biannually bf between better benefits being billing begin been becoming because became barely bank away bill billings caring by care card cant cannot cancelling cancel can bye business bills buggin budget broke break boyfriend both blindly bit automatically aunt at addition againlater again after afford adicional addtional addresses additional adding aren added activities acct account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed cared caused elsewhere death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting cell due else eliminating el edge easily earlier each duplicate drive disgusts live drain down double dont done don doesnt customers customer currently choice coming come combine college climbing climb city choose checking current cheaper charging charged charge changing changes changed change company compared competitive compromised currency creep credit covid country costs cost continuous continues continue continually continously constantly constant consolidating consider connected little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouse spending spend span sorry soon stupid subscriber something taste their thats that thanks than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions son someone rise scaling series sense selection seen seems see secure second scales servicio saving save same run rules rule rotating rising services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several there these they waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where thing would youll yet years yearly year yall ya wouldn worth while work wont won without with willing why who value vaccine ut tired tried tracking town tooo too told today to tipped uses times time tightening tight throughout this think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable risen ripped ll non offered offer off notified nothing not nonsense nonesence no often nice news newest new never needed need must offset ok moved or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one multiple move right lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many may more mind months monthly month money monetary moment mom mistake might maybe merge memberships membership members member medical means me owner owning pagos re rectifying recession recently recent reason really reality reactivate rather reduce rates raising raises raised raise quickly quality putting redo reducing parent restart ridiculous
Topic 37 | Coherence=-224106.31 | Top words= with up who in enough understand wouldn were hiking means cared leave begin about ll you re high us if greedy is being only are this prices than thing do what the same moved my your to keep higher that others someone of rates when subscriber it has son location moving already new date ontario payment increases acct hacked switching won week bye iny pay good games gonna else future gone end go gas garbage emails going get getting gf girl give from goes email elsewhere given fuel food entertaining feet feel even every fee everything fault far fan family fair fact face extra extortion expensive expenses expected fees few frequent fiance free forth forever forcing for focused flat fixed entertainment especially fix first financially euro gotten financial finally got health gouging isn job jacking itself its issues issue isnt intolerable grandkids into interested instead inflation increments increasses increasing join joint just justify lesser less legacy left learning layoff later last laid lack kids kidding kept keeps keeping increased increase income help he having havent have hardly hard happy hand half had hacking hackednot guys greed great el her improvements hike im ill idea husband hungry huge how households household house hosehold horrible holder history hikes eliminating youre edge before biden biased biannually bf between better benefits benefit been bill becoming because became be barely bank back awhile biggest billing automatically business cant cannot cancelling canceling cancel can by but buggin billings budget broke break boyfriend both blindly bit bills away aunt easily additional agree againlater again after afford adicional addtional addresses addition all adding added activities accounts account access acceptance absurd alarming allow at another as aren apps aparently anyways anymore any anticonsumer annually allowed and an amounts amount amercian am also almost card care caring day didnt deteriorated delivering declined decisions death deal days daughter different damn dad cutting cut customers customer currently current differences direction caused double earlier each duplicate due drive drastically drain down dont disappointed done don doesnt letting divorce disgusts disgusting discontinue currency creep credit cheaper combine college climbing climb city choose choice checking charging covid charges charged charge changing changes changed change cell combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared let loyal life span starting started start squeeze spouses spouse spending spend sorry sign soon something some so situation single since significant states stay stealing stepdad taste talk taking take system support summer success subscriptions subscription subscribers sub stupid stranger stopping stopped stop signaling sight resubscribe rotating second scaling scales saving save run rules rule rising sick risen rise ripped right ridiculous return retiring retired secure see seems seen shoves shouldn should short she sharing share shady several settled set servicio services service series sense selection temporarily temporary terrible wanted well weeks we way waste was warrant wants want thank waiting wait vs virtue value vaccine ut using went whats where while youll yet years yearly year yall ya would worth workable work wont without willing will wife why uses users used too today tired tipped times time tightening tight throughout through think things they these there their thats thanks told tooo use town upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking resume restriction like newest not nonsense nonesence non no nice next news never month needed need must multiple much move more months nothing notified now off other original or options option opportunity opening opened oneday one once on ok often offset offered offer monthly money restrict longer made luck loyalty lower lost losing loose looking long monetary lol locations living live little limiting limited limit make makes making manservices moment mom mistake mind might merge memberships membership members member medical me maybe may married market many our out outside quality reactivate rather rate raising raises raised raise quickly putting over put pushed provider profits profit profiles problem pricing reality really reason
Topic 38 | Coherence=-225054.22 | Top words= to need of change and the billing no continues service price cost with country date customer unable down rise end help up don quality all sight at deal use barely drain in went can problem continuous money job my increase membership due new living redo more saving way right vaccine currently keeps when upcoming loyal us get grandkids gouging future gotten got free good gonna gone frequent going goes go given give fuel games garbage gas girl gf getting forth from financially forever expenses family fair fact face extra extortion expensive expected forcing everything every even euro especially entertainment entertaining fan far fault fee for food focused flat fixed fix first greed financial finally fiance few feet fees feel great he greedy issues justify just joint join jacking itself its it issue increments isnt isn is iny intolerable into interested instead keep keeping kept kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids inflation increasses guys has hike higher high her health having havent have hardly increasing hard happy hand half had hacking hackednot hacked hikes hiking history holder increases increased income improvements im ill if idea husband hungry huge how households household house hosehold horrible enough done emails been bf between better benefits benefit being begin before becoming as because became be bank back awhile away automatically biannually biased biden biggest canceling cancel bye by but business buggin budget broke break boyfriend both blindly bit bills billings bill aunt aren email adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cancelling cannot cant death direction different differences didnt deteriorated delivering declined decisions days card day daughter damn dad cutting cut customers current disappointed discontinue disgusting disgusts elsewhere else eliminating el edge easily earlier each duplicate drive drastically double dont limiting doesnt do divorce currency creep credit climbing city choose choice checking cheaper charging charges charged charge changing changes changed cell caused caring cared care climb college covid combine courtesy costs continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come combining limited youre little squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger thanks system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub someone some so save selection seen seems see secure second scaling scales same situation run rules rule rotating rising risen ripped ridiculous sense series services servicio single since significant signaling sign sick shoves shouldn should short she sharing share shady several settled set thank that live waste where whats what were well weeks week we was who warrant wants wanted want waiting wait vs virtue while why thats wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will value ut using throughout told today tired tipped times time tightening tight through uses this think things thing they these there their too tooo town tracking users used upward upping until unneeded unnecessary unfortunately unfair unemployed understand under two twice trying try tried return retiring retired non offer off now notified nothing not nonsense nonesence nice offset next news newest never needed must multiple much offered often resume option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on moving moved move lost making makes make made luck loyalty your lower losing months loose looking longer long lol locations location ll manservices many market married monthly month monetary moment mom mistake mind might merge memberships members member medical means me maybe may over overpriced own raises really reality reactivate re rather rates rate raising raised pricing raise quickly putting put pushed provider profits profit reason recent recently recession
Topic 39 | Coherence=-221401.88 | Top words= expensive too for it me is much going prices are keep already other upward unfortunately between choose made activities into putting or that increase kids my to this and one have life else everything you never stupid rule use the later right maybe hikes new keeps offered whats cost quality company ya hungry workable getting girl entertaining gf gas garbage games entertainment future get goes give given greed great elsewhere grandkids gouging gotten got good gonna gone email emails end enough go fuel fair from frequent financial finally fiance few feet fees feel extortion extra fee fault face far fan family greedy expenses expected euro free forth fact forever especially forcing food every even focused flat fixed fix first financially youre guys isnt join job jacking itself its issues issue isn just iny intolerable interested instead inflation increments increasses joint justify hacked left limit like letting let lesser less legacy leave keeping learning layoff last laid lack kidding kept increasing increases increased has high eliminating help health he having havent hardly income hard happy hand half had hacking hackednot higher hike hiking history in improvements im ill if idea husband huge how households household house hosehold horrible holder her double el edge biden biased biannually bf better benefits benefit being begin before been becoming because became be barely bank back awhile biggest bill billing business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all at another as aren apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian am also almost allowed cant card care days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current down easily earlier each duplicate due drive drastically drain limiting discontinue dont done don doesnt do divorce disgusts disgusting currently currency cared charges college climbing climb city choice checking cheaper charging charged combining charge changing changes changed change cell caused caring combine come creep continually credit covid courtesy country costs continuous continues continue continously coming constantly constant consolidating consider connected compromised competitive compared limited loyal little spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping thanks system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscription subscribers subscriber sub some so situation scales sense selection seen seems see secure second scaling saving single save same run rules rotating rising risen rise series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thank thats ridiculous waste what were went well weeks week we way was where warrant wants wanted want waiting wait vs virtue when while their worth youll yet years yearly year yall wouldn would work who wont won without with willing will wife why value vaccine ut tightening town tooo told today tired tipped times time tight using throughout through think things thing they these there tracking tried try trying uses users used us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice ripped return live no of now notified nothing not nonsense nonesence non nice offer next news newest needed need must multiple moving off offset owner option overpriced over outside out our others original options opportunity often opening opened ontario only oneday once on ok moved move more losing making makes make luck loyalty your lower lost loose months looking longer long lol locations location ll living manservices many market married monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means may own owning retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly put pushed provider profits recently rectifying pagos reside retired
 83%|████████▎ | 40/48 [2:34:51<47:42, 357.78s/it]
Topic 40 | Coherence=-226270.22 | Top words= price to the raised also your you offer like dont not shady tried almost once fact used cancel increasing pay for that new way expensive while do high others long prices but go enough so will fan has renewing use be services continually continues value switching hardly compared too keeps little delivering point continue better afford as lesser can given under restart raise increase users email change buggin squeeze caused longer forcing again gas get getting give gotten going gf girl got good gonna gone garbage goes youre games future feel fee fault far family fair face extra extortion expenses expected everything every even euro especially entertainment fees feet few focused fuel from frequent free forth forever food flat fiance grandkids fixed fix first financially financial finally gouging he great joint job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments join just greed justify letting let less legacy left leave learning layoff later last laid lack kids kidding kept keeping keep increasses increases increased income higher her help health having havent have hard happy hand half had hacking hackednot hacked guys greedy hike hikes hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder entertaining done end before biased biannually bf between benefits benefit being begin been emails becoming because became barely bank back awhile away biden biggest bill billing card cant cannot cancelling canceling bye by business budget broke break boyfriend both blindly bit bills billings automatically aunt at alarming againlater after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all aren allow are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am already allowed care cared caring disgusting disappointed direction different differences didnt deteriorated declined decisions death deal days day daughter date damn dad cutting discontinue disgusts customers divorce elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double don doesnt cut customer cell coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed come company currently competitive current currency creep credit covid courtesy country costs cost continuous continously constantly constant consolidating consider connected compromised life loyal limit spouse stepdad stealing stay states starting started start spouses spending single spend span sorry soon son something someone some stop stopped stopping stranger terrible temporary temporarily taste talk taking take system support summer success subscriptions subscription subscribers subscriber sub stupid situation since thank run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped right ridiculous seems seen selection sense signaling sign sight sick shoves shouldn should short she sharing share several settled set servicio service series than thanks retiring we when whats what were went well weeks week waste vaccine was warrant wants wanted want waiting wait vs where who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue ut thats throughout told today tired tipped times time tightening tight through using this think things thing they these there their tooo town tracking try uses us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two twice trying return retired limited never nonsense nonesence non no nice next news newest needed months need my must multiple much moving moved move nothing notified now of original or options option opportunity opening opened ontario only oneday one on ok often offset offered off more monthly our losing making makes make made luck loyalty lower lost loose month looking lol locations location ll living live limiting manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may other out resume quickly reality reactivate re rather rates rate raising raises quality president putting put pushed provider profits profit profiles problem really reason recent recently
Average topic coherence for the top words is -221336.7344429944
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.32it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.25it/s]
  6%|▌         | 3/50 [00:00<00:08,  5.26it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.23it/s]
 10%|█         | 5/50 [00:00<00:08,  5.23it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.22it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.22it/s]
 16%|█▌        | 8/50 [00:01<00:07,  5.26it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.24it/s]
 20%|██        | 10/50 [00:01<00:07,  5.24it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.26it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.21it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.20it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.18it/s]
 30%|███       | 15/50 [00:02<00:06,  5.20it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.20it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.21it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.20it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.25it/s]
 40%|████      | 20/50 [00:03<00:05,  5.25it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.24it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.24it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.22it/s]
 48%|████▊     | 24/50 [00:04<00:04,  5.23it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.22it/s]
 52%|█████▏    | 26/50 [00:04<00:04,  5.22it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.22it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.21it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.23it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.22it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.20it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.23it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.26it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.25it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.24it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.24it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.24it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.23it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.22it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.18it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.24it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.23it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.21it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.21it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.21it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.21it/s]
 94%|█████████▍| 47/50 [00:08<00:00,  5.21it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.21it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.23it/s]
100%|██████████| 50/50 [00:09<00:00,  5.22it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.54it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.51it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.50it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.47it/s]
 10%|█         | 5/50 [00:00<00:06,  6.46it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.46it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.46it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.48it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.47it/s]
 20%|██        | 10/50 [00:01<00:06,  6.46it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.45it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.47it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.47it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.48it/s]
 30%|███       | 15/50 [00:02<00:05,  6.47it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.48it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.48it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.48it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.49it/s]
 40%|████      | 20/50 [00:03<00:04,  6.44it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.38it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.41it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.40it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.45it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.47it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.47it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.44it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.46it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.44it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.45it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.46it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.44it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.45it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.46it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.44it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.43it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.46it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.47it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.49it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.48it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.49it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.49it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.42it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.41it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.44it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.43it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.45it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.48it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.47it/s]
100%|██████████| 50/50 [00:07<00:00,  6.46it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:13,  3.53it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.45it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.44it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.45it/s]
 10%|█         | 5/50 [00:01<00:13,  3.45it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.46it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.45it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.45it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.45it/s]
 20%|██        | 10/50 [00:02<00:11,  3.47it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.47it/s]
 24%|██▍       | 12/50 [00:03<00:10,  3.47it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.47it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.47it/s]
 30%|███       | 15/50 [00:04<00:10,  3.47it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.47it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.47it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.47it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.47it/s]
 40%|████      | 20/50 [00:05<00:08,  3.45it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.45it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.46it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.46it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.47it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.47it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.47it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.47it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.46it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.46it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.46it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.46it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.48it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.48it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.47it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.48it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.47it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.47it/s]
 76%|███████▌  | 38/50 [00:10<00:03,  3.45it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.44it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.45it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.46it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.46it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.48it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.47it/s]
 90%|█████████ | 45/50 [00:12<00:01,  3.47it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.48it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.47it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.46it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.47it/s]
100%|██████████| 50/50 [00:14<00:00,  3.46it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.68it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.69it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.68it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.67it/s]
 10%|█         | 5/50 [00:01<00:17,  2.65it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.65it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.65it/s]
 16%|█▌        | 8/50 [00:03<00:15,  2.67it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.67it/s]
 20%|██        | 10/50 [00:03<00:14,  2.67it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.66it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.65it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.65it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.65it/s]
 30%|███       | 15/50 [00:05<00:13,  2.66it/s]
 32%|███▏      | 16/50 [00:06<00:12,  2.67it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.67it/s]
 36%|███▌      | 18/50 [00:06<00:11,  2.67it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.65it/s]
 40%|████      | 20/50 [00:07<00:11,  2.65it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.65it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.65it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.66it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.66it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.66it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.66it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.66it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.66it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.67it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.66it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.67it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.67it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.66it/s]
 68%|██████▊   | 34/50 [00:12<00:05,  2.67it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.66it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.67it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.67it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.67it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.67it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.67it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.67it/s]
 84%|████████▍ | 42/50 [00:15<00:03,  2.67it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.66it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.66it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.66it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.65it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.64it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.66it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.66it/s]
100%|██████████| 50/50 [00:18<00:00,  2.66it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.76it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.76it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.76it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.76it/s]
 10%|█         | 5/50 [00:02<00:25,  1.76it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.76it/s]
 14%|█▍        | 7/50 [00:03<00:24,  1.75it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.75it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.76it/s]
 20%|██        | 10/50 [00:05<00:22,  1.76it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.76it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.77it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.76it/s]
 28%|██▊       | 14/50 [00:07<00:20,  1.76it/s]
 30%|███       | 15/50 [00:08<00:19,  1.76it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.75it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.75it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.75it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.76it/s]
 40%|████      | 20/50 [00:11<00:17,  1.76it/s]
 42%|████▏     | 21/50 [00:11<00:16,  1.76it/s]
 44%|████▍     | 22/50 [00:12<00:15,  1.76it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.76it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.76it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.75it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.75it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.75it/s]
 56%|█████▌    | 28/50 [00:15<00:12,  1.75it/s]
 58%|█████▊    | 29/50 [00:16<00:11,  1.75it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.76it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.76it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.76it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.76it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.75it/s]
 70%|███████   | 35/50 [00:19<00:08,  1.75it/s]
 72%|███████▏  | 36/50 [00:20<00:07,  1.76it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.75it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.75it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.75it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.75it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.75it/s]
 84%|████████▍ | 42/50 [00:23<00:04,  1.75it/s]
 86%|████████▌ | 43/50 [00:24<00:03,  1.75it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.75it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.75it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.75it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.76it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.76it/s]
 98%|█████████▊| 49/50 [00:27<00:00,  1.76it/s]
100%|██████████| 50/50 [00:28<00:00,  1.76it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.69it/s]
Topic 0 | Coherence=-224078.67 | Top words= extra you and about family subscription my bill the with using share increase outside of like paying when idea power news states limit want don youre greedy pay for extortion different its company disgusting sharing taste won me but cant no hosehold unable cost acceptance policies games garbage future gas going get gonna greed great grandkids gouging gotten got good gone getting from goes go given give girl gf fuel focused frequent far fair fact face expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email fan fault free fee forth forever forcing food hacked flat fixed fix first financially financial finally fiance few feet fees feel guys havent hackednot itself keeping keep justify just joint join job jacking it instead issues issue isnt isn is iny intolerable into keeps kept kidding kids little limiting limited life letting let lesser less legacy left leave learning layoff later last laid lack interested inflation hacking having hikes hike higher high her help health he else increments have has hardly hard happy hand half had hiking history holder horrible increasses increasing increases increased income in improvements im ill if husband hungry huge how households household house elsewhere double eliminating been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden aunt budget cancelling canceling cancel can bye by business buggin broke biggest break boyfriend both blindly bit bills billings billing automatically at el additional agree againlater again after afford adicional addtional addresses addition all adding added activities acct accounts account access absurd alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost cannot card care daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt direction cared drain edge easily earlier each duplicate due drive drastically down disappointed living dont done doesnt do divorce disgusts discontinue currency creep credit charges climbing climb city choose choice checking cheaper charging charged covid charge changing changes changed change cell caused caring college combine combining come courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared coming live loyal ll squeeze stopped stop stepdad stealing stay starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some taking that thanks thank than terrible temporary temporarily talk take sub system switching support summer success subscriptions subscribers subscriber someone so their save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation shouldn single since significant signaling sign sight sick shoves should service short she shady several settled set servicio services thats there location waste what were went well weeks week we way was where warrant wants wanted waiting wait vs virtue value whats while ut would youll yet years yearly year yall ya wouldn worth who workable work wont without willing will wife why vaccine uses these time tooo too told today to tired tipped times tightening tracking tight throughout through this think things thing they town tried users unneeded used use us upward upping upcoming up until unnecessary try unfortunately unfair unemployed understand under two twice trying right ridiculous return non offer off now notified nothing not nonsense nonesence nice offset next newest new never needed need must multiple offered often moving option over out our others other original or options opportunity ok opening opened ontario only oneday one once on much moved retiring your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may move mistake more months monthly month money monetary moment mom mind maybe might merge memberships membership members member medical means overpriced own owner rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying owning reside retired
Topic 1 | Coherence=-219925.61 | Top words= price the not raising keep increase your are for worth is prices to willing anymore pay share raised us letting support up or used great last something because options any differences improvements paying system rates profit workable was without fault enough made am absurd profiles acceptance kidding from lower again starting higher wont original nonesence profits pls continuous stopping rising they blindly everything fees garbage gas expenses get expected getting gf girl give every given go goes going even gone euro especially gonna entertainment entertaining end good got gotten emails games future expensive feet gouging fiance finally feel fee financial financially far first fix fixed flat fan focused food family fair forcing forever forth free fact frequent face extra fuel extortion few has grandkids job itself its it issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing increases jacking join greed joint let lesser less legacy left leave learning layoff later laid lack kids kept keeps keeping justify just increased income in im health he having havent have elsewhere hardly hard happy hand half had hacking hackednot hacked guys greedy help her high households ill if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes email youre else benefits bill biggest biden biased biannually bf between better benefit billings being begin before been becoming became be barely billing bills back bye care card cant cannot cancelling canceling cancel can by bit but business buggin budget broke break boyfriend both bank awhile caring additional alarming agree againlater after afford adicional addtional addresses addition allow adding added activities acct accounts account access about all allowed away anticonsumer automatically aunt at as aren apps aparently anyways another almost annually and an amounts amount amercian also already cared caused eliminating deal direction different didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting currently drastically el edge easily earlier each duplicate due drive drain disgusts down double dont life don doesnt do divorce customer current cell checking combining combine college climbing climb city choose choice cheaper coming charging charges charged charge changing changes changed change come company currency continue creep credit covid courtesy country costs cost continues continually compared continously constantly constant consolidating consider connected compromised competitive done loyal like spouse stepdad stealing stay states started start squeeze spouses spending single spend span sorry soon son someone some so stop stopped stranger stupid thank than terrible temporary temporarily taste talk taking take switching summer success subscriptions subscription subscribers subscriber sub situation since that same seems see secure second scaling scales saving save run significant rules rule rotating risen rise ripped right ridiculous seen selection sense series signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services service thanks thats limit waste what were went well weeks week we way warrant ut wants wanted want waiting wait vs virtue value whats when where while youll you yet years yearly year yall ya wouldn would work won with will wife why who vaccine using their tightening tooo too told today tired tipped times time tight uses throughout through this think things thing these there town tracking tried try users use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying return retiring retired need no nice next news newest new never needed my month must multiple much moving moved move more months non nonsense nothing notified opportunity opening opened ontario only oneday one once on ok often offset offered offer off of now monthly money resume long make luck loyalty lost losing loose looking longer lol monetary locations location ll living live little limiting limited makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market option other others raise reason really reality reactivate re rather rate raises quickly our quality putting put pushed provider problem pricing president recent recently recession
Topic 2 | Coherence=-236574.90 | Top words= charging the extra and for hikes your gonna other many youre to if price too you past subscription share are so charge services an im it kept better newest was hike people cheaper raising reason only that prices way subscriptions over out years money no will longer support parents letting activities pay horrible given give go fan girl gf entertainment getting get gas goes end going gone entertaining enough good got gotten emails gouging grandkids great email greed especially future garbage few expensive extortion financially financial face finally fiance feet games fees feel fact fee fair family fault first fix fixed expenses euro far fuel from frequent free even every forth everything forever forcing food focused expected flat hardly greedy increasses joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation just justify keep learning life let lesser less legacy left leave layoff keeping later last laid lack kids kidding keeps increments increasing guys increases her help health he having havent have has else hard happy hand half had hacking hackednot hacked high higher hiking husband increased increase income in improvements ill idea hungry history huge how households household house hosehold holder elsewhere down eliminating card biden biased biannually bf between benefits benefit being begin before been becoming because became be barely bank back awhile biggest bill billing business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all at another as aren apps aparently anyways anymore any anticonsumer annually allow amounts amount amercian am also already almost allowed cant care el cared different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer direction disappointed discontinue drain edge easily earlier each duplicate due drive drastically limit disgusting double dont done don doesnt do divorce disgusts currently current currency checking combining combine college climbing climb city choose choice charges coming charged changing changes changed change cell caused caring come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid right taste their thats thanks thank than terrible temporary temporarily talk sub taking take system switching summer success subscribers subscriber something someone some saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service servicio single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set there these they we when whats what were went well weeks week waste vaccine warrant wants wanted want waiting wait vs virtue where while who why youll yet yearly year yall ya wouldn would worth workable work wont won without with willing wife value ut thing tipped try tried tracking town tooo told today tired times using time tightening tight throughout through this think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped ridiculous limiting new nothing not nonsense nonesence non nice next news never now needed need my must multiple much moving moved notified of return ontario others original or options option opportunity opening opened oneday off one once on ok often offset offered offer move more months loose makes make made luck loyalty lower lost losing looking monthly long lol locations location ll living live little making manservices market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may our outside overpriced rates recession recently recent really reality reactivate re rather rate profits raises raised raise quickly quality putting put pushed rectifying redo reduce reducing
Topic 3 | Coherence=-221073.67 | Top words= are subscriptions my disgusting have company taste its charge but and pay family extortion in me different we is for to bill about ridiculous only price this fiance moving consolidating extra so boyfriend moved throughout household needed history gouging until waiting raises day like became months caused competitive multiple much biggest raised once gotten greedy gas get getting hacked guys gonna gf girl greed give great grandkids goes given going go good got gone youre garbage expensive feel fee fault far fan fair fact face expenses games expected everything every even euro especially entertainment entertaining fees feet few finally future fuel from frequent free forth forever forcing hacking food focused flat fixed fix first financially financial hackednot her had kidding keeps keeping keep justify just joint join job jacking itself it issues issue isnt isn iny intolerable kept kids half lack little limiting limited limit life letting let lesser less legacy left leave learning layoff later last laid into interested instead inflation holder hiking hikes hike higher high end help health he having havent has hardly hard happy hand horrible hosehold house improvements increments increasses increasing increases increased increase income im households ill if idea husband hungry huge how enough due emails been bf between better benefits benefit being begin before becoming biased because be barely bank back awhile away automatically biannually biden care business cant cannot cancelling canceling cancel can bye by buggin billing budget broke break both blindly bit bills billings aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account access acceptance absurd agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed card cared email decisions discontinue disappointed direction differences didnt deteriorated delivering declined death divorce deal days daughter date damn dad cutting cut disgusts do caring duplicate elsewhere else eliminating el edge easily earlier each living doesnt drive drastically drain down double dont done don customers customer currently checking combining combine college climbing climb city choose choice cheaper current charging charges charged changing changes changed change cell come coming compared compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consider connected live loyal ll states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon temporary their the thats that thanks thank than terrible temporarily subscription talk taking take system switching support summer success sorry son rising secure services service series sense selection seen seems see second set scaling scales saving save same run rules rule servicio settled something sight someone some situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady there these they weeks while where when whats what were went well week why way waste was warrant wants wanted want wait who wife thing wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs virtue value today trying try tried tracking town tooo too told tired vaccine tipped times time tightening tight through think things twice two unable under ut using uses users used use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand rotating risen location nothing often offset offered offer off of now notified not on nonsense nonesence non no nice next news newest ok one never others owning owner own overpriced over outside out our other oneday original or options option opportunity opening opened ontario new need rise your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may must mistake move more monthly month money monetary moment mom mind maybe might merge memberships membership members member medical means pagos parent parents reactivate redo rectifying recession recently recent reason really reality re reducing rather rates rate raising raise quickly quality putting reduce reflect passed restrict ripped
Topic 4 | Coherence=-218503.14 | Top words= the keep you greed me from money new and more sharing on loose fee in because yall years will subscription havent stealing been with of your company customers users between disgusts personal workable issues aren system focused raise damn adding cant get card about getting once especially gas hacked hackednot hacking garbage games future had guys gotten gf girl give given great go grandkids goes going gone gonna fuel good got gouging greedy youre frequent fan fair fact face extra extortion expensive expenses expected everything every even euro entertainment entertaining enough end emails family far free fault forth forever forcing for food flat fixed fix first financially financial finally fiance few feet fees feel half high hand kids kept keeps keeping justify just joint join job jacking itself its it issue isnt isn is iny kidding lack into laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last intolerable interested happy house horrible holder history hiking hikes hike higher elsewhere her help health he having have has hardly hard hosehold household instead households inflation increments increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how email down else begin biden biased biannually bf better benefits benefit being before bill becoming became be barely bank back awhile away biggest billing cared business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at additional agree againlater again after afford adicional addtional addresses addition as added activities acct accounts account access acceptance absurd alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost care caring eliminating deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date dad cutting cut customer currently direction discontinue caused drastically el edge easily earlier each duplicate due drive drain disgusting living double dont done don doesnt do divorce current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changing changes changed change cell combining come coming compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive live loyal ll squeeze stopped stop stepdad stay states starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some talk that thanks thank than terrible temporary temporarily taste taking sub take switching support summer success subscriptions subscribers subscriber someone so their saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service situation shouldn single since significant signaling sign sight sick shoves should services short she share shady several settled set servicio thats there location warrant went well weeks week we way waste was wants what wanted want waiting wait vs virtue value vaccine were whats using work youll yet yearly year ya wouldn would worth wont when won without willing wife why who while where ut uses these time tooo too told today to tired tipped times tightening tracking tight throughout through this think things thing they town tried used unnecessary use us upward upping upcoming up until unneeded unfortunately try unfair unemployed understand under unable two twice trying ripped right ridiculous nonsense offset offered offer off now notified nothing not nonesence ok non no nice next news newest never needed often one my other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only need must return luck married market many manservices making makes make made loyalty maybe lower lost losing looking longer long lol locations may means multiple moment much moving moved move months monthly month monetary mom medical mistake mind might merge memberships membership members member owning pagos parent rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised quickly quality putting put pushed recession redo parents residence retiring
Topic 5 | Coherence=-215276.46 | Top words= to for the is months in money this have and few back your will come ill year budget tight once try cancel extra rate offset increasses each return wait amount later may future resume right started has additional goes given now means increase enough we gas fuel getting get garbage games from youre gf gouging hacked guys greedy greed great grandkids gotten girl got good gonna gone go give going fix frequent even fact face extortion expensive expenses expected everything every euro family especially entertainment entertaining end emails email elsewhere else fair fan free first forth forever forcing food focused flat fixed hacking financially far financial finally fiance feet fees feel fee fault hackednot higher had kids kept keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn kidding lack half laid live little limiting limited limit like life letting let lesser less legacy left leave learning layoff last iny intolerable into interested holder history hiking hikes hike el high her help health he having havent hardly hard happy hand horrible hosehold house improvements instead inflation increments increasing increases increased income im household if idea husband hungry huge how households eliminating drastically edge before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank awhile away biased biggest aunt buggin cannot cancelling canceling can bye by but business broke bill break boyfriend both blindly bit bills billings billing automatically at card adding againlater again after afford adicional addtional addresses addition added alarming activities acct accounts account access acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amercian am also already almost allowed cant care easily daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different creep dont earlier duplicate due drive ll drain down double done direction don doesnt do divorce disgusts disgusting discontinue disappointed currency credit cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company living loyal location start stopping stopped stop stepdad stealing stay states starting squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers something some thats scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled that their locations way when whats what were went well weeks week waste while was warrant wants wanted want waiting vs virtue where who vaccine would youll you yet years yearly yall ya wouldn worth why workable work wont won without with willing wife value ut there times tracking town tooo too told today tired tipped time trying tightening throughout through think things thing they these tried twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable risen rise ripped nonsense often offered offer off of notified nothing not nonesence on non no nice next news newest new never ok one need other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only needed my ridiculous luck married market many manservices making makes make made loyalty me lower lost losing loose looking longer long lol maybe medical must monetary multiple much moving moved move more monthly month moment member mom mistake mind might merge memberships membership members owning pagos parent raising recent reason really reality reactivate re rather rates raises recession raised raise quickly quality putting put pushed provider recently rectifying parents reside retiring
Topic 6 | Coherence=-225179.44 | Top words= too expensive for me it is going much now keep are prices not already upward unfortunately you when other have kids this putting new my or be worth between made into choose life one activities hikes amount everything many else times increase about high started rule options stupid getting extra its use later maybe service given right was never itself fees offered way whats added charges second declined in prescription how few absurd business stay the rising hackednot twice keeps food interested join instead fiance finally financial financially first fix inflation fixed flat focused legacy feet forcing forever forth free frequent from fuel future games garbage gas get increments gf job less give intolerable email emails end enough entertaining entertainment especially euro even every issues expected expenses issue extortion isnt face fact lesser fair isn family fan far jacking fault iny fee feel girl increasses hungry go havent having he health elsewhere her im ill higher hike last if idea laid hiking lack history holder horrible hosehold kidding house household households justify kept keeping husband huge layoff has hardly guys goes left gone gonna good got gotten gouging grandkids great greed greedy increasing hacked hard increases leave joint hacking had just increased income half learning improvements hand happy help youre eliminating benefit bill biggest biden biased biannually bf better benefits being billings begin before been becoming because became barely bank billing bills el bye care card cant cannot cancelling canceling cancel can by bit but buggin budget broke break boyfriend both blindly back awhile away addtional all alarming agree againlater again after afford adicional addresses automatically additional addition adding acct accounts account access acceptance allow allowed almost also aunt at as aren apps aparently anyways anymore any anticonsumer another annually and an amounts amercian am cared caring caused deal direction different differences didnt deteriorated delivering decisions death days currently day daughter date damn dad cutting cut customers disappointed discontinue disgusting disgusts edge easily earlier each duplicate due drive drastically drain down double dont done don let do divorce customer current cell choice coming come combining combine college climbing climb city checking currency cheaper charging charged charge changing changes changed change company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected doesnt loyal letting spouse stop stepdad stealing states starting start squeeze spouses spending situation spend span sorry soon son something someone some stopped stopping stranger sub than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber so single resume same seen seems see secure scaling scales saving save run since rules rotating risen rise ripped ridiculous return retiring selection sense series services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thank thanks that waste where what were went well weeks week we warrant thats wants wanted want waiting wait vs virtue value while who why wife youll yet years yearly year yall ya wouldn would workable work wont won without with willing will vaccine ut using town told today to tired tipped time tightening tight throughout through think things thing they these there their tooo tracking uses tried users used us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two trying try retired resubscribe like newest nothing nonsense nonesence non no nice next news needed month need must multiple moving moved move more months notified of off offer outside out our others original option opportunity opening opened ontario only oneday once on ok often offset monthly money restriction lol your lower lost losing loose looking longer long locations monetary location ll living live little limiting limited limit loyalty luck make makes moment mom mistake mind might merge memberships membership members member medical means may married market manservices making over overpriced own raised reality reactivate re rather rates rate raising raises raise owner quickly quality put pushed provider profits profit profiles really reason recent
Topic 7 | Coherence=-221086.23 | Top words= raising prices the stop you are elsewhere your it constantly take business and money month my cancel of have me into customer on will some success year services didnt first multiple restriction twice let cannot every continously put months get ridiculous please in servicio users billings damn stopped por pagos adicional el hungry company these cheaper be rules finally gf girl euro expected even everything given expenses getting expensive give goes especially go extra going gone entertainment gonna good got gotten gouging entertaining enough grandkids extortion garbage gas food financial few financially feet fix fees feel great fixed fee flat fault focused far fan fiance for family forcing forever forth free frequent fair from fuel fact future face games youre has greed issue just joint join job jacking itself its issues isnt increasing isn is iny intolerable interested instead inflation increments justify keep keeping keeps like life letting lesser less legacy left leave learning layoff later last laid lack kids kidding kept increasses increases greedy hardly high her help health he having havent emails hard increased happy hand half had hacking hackednot hacked guys higher hike hikes hiking increase income improvements im ill if idea husband huge how households household house hosehold horrible holder history end double email been bf between better benefits benefit being begin before becoming at because became barely bank back awhile away automatically biannually biased biden biggest cancelling canceling can bye by but buggin budget broke break boyfriend both blindly bit bills billing bill aunt as card adding againlater again after afford addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cant care else death disappointed direction different differences deteriorated delivering declined decisions deal current days day daughter date dad cutting cut customers discontinue disgusting disgusts divorce eliminating edge easily earlier each duplicate due drive drastically drain down limited dont done don doesnt do currently currency cared charges college climbing climb city choose choice checking charging charged creep charge changing changes changed change cell caused caring combine combining come coming credit covid courtesy country costs cost continuous continues continue continually constant consolidating consider connected compromised competitive compared limit loyal limiting started stupid stranger stopping stepdad stealing stay states starting start subscriber squeeze spouses spouse spending spend span sorry soon sub subscribers right temporary there their thats that thanks thank than terrible temporarily subscription taste talk taking system switching support summer subscriptions son something someone scales sense selection seen seems see secure second scaling saving so save same run rule rotating rising risen rise series service set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several they thing things we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who why youll yet years yearly yall ya wouldn would worth workable work wont won without with willing wife vs value think to try tried tracking town tooo too told today tired vaccine tipped times time tightening tight throughout through this trying two unable under ut using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped return little nice now notified nothing not nonsense nonesence non no next offer news newest new never needed need must much off offered retiring opportunity out our others other original or options option opening offset opened ontario only oneday one once ok often moving moved move loose makes make made luck loyalty lower lost losing looking more longer long lol locations location ll living live making manservices many market monthly monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married outside over overpriced rate recent reason really reality reactivate re rather rates raises profiles raised raise quickly quality putting pushed provider profits recently recession rectifying redo
Topic 8 | Coherence=-222145.57 | Top words= the price of to for out increases no money enough with hikes longer value hand getting lack are selection cost increase good do also anymore just far reality frequent policy changes currently town quality service waste tired reflect justify got agree need months terrible biggest don days raising sick deal raised going last additional work cant rules get aren go free given great girl grandkids gf gouging gotten garbage gas goes from gonna fuel gone future games give financial forth fan fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining family fault forever fee forcing food focused flat fixed fix first financially greedy finally fiance few feet fees feel greed youre guys issue joint join job jacking itself its it issues isnt hacked isn is iny intolerable into interested instead inflation keep keeping keeps kept limited limit like life letting let lesser less legacy left leave learning layoff later laid kids kidding increments increasses increasing hike high her help health he having emails havent have has hardly hard happy half had hacking hackednot higher hiking increased history income in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder end down email begin biased biannually bf between better benefits benefit being before bill been becoming because became be barely bank back biden billing care business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile away automatically adding againlater again after afford adicional addtional addresses addition added aunt activities acct accounts account access acceptance absurd about alarming all allow allowed at as apps aparently anyways any anticonsumer another annually and an amounts amount amercian am already almost card cared elsewhere death direction different differences didnt deteriorated delivering declined decisions day discontinue daughter date damn dad cutting cut customers customer disappointed disgusting caring due else eliminating el edge easily earlier each duplicate drive disgusts drastically drain little double dont done doesnt divorce current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changing changed change cell caused combining come coming company covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limiting loyal live starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son talk thats that thanks thank than temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription soon something living scales series sense seen seems see secure second scaling saving servicio save same run rule rotating rising risen rise services set someone sight some so situation single since significant signaling sign shoves settled shouldn should short she sharing share shady several their there these we when whats what were went well weeks week way while was warrant wants wanted want waiting wait vs where who they wouldn youll you yet years yearly year yall ya would why worth workable wont won without willing will wife virtue vaccine ut times try tried tracking tooo too told today tipped time using tightening tight throughout through this think things thing trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous next now notified nothing not nonsense nonesence non nice news offer newest new never needed my must multiple much off offered over opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moving moved move lower manservices making makes make made luck loyalty your lost more losing loose looking long lol locations location ll many market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe outside overpriced return raises recent reason really reactivate re rather rates rate raise recession quickly putting put pushed provider profits profit profiles recently rectifying own residence retiring
Topic 9 | Coherence=-216448.41 | Top words= my and will to you that cancel mom me membership in places restrict since the want different live hike two when declined stopping card canceling before currently sharing next rate preemptively wants between boyfriend with go gf charging family reside pay can locations fault aunt leave each pick spend for life thank addtional gonna given garbage gas get getting guys especially girl greedy give emails entertainment greed end entertaining great grandkids gouging gotten got euro good goes going gone enough games far face fixed fix first financially financial finally fiance few fact fair feet fees feel fee fan flat hacked future food fuel from frequent free even forth every forever everything expected forcing expenses expensive extortion extra focused health hackednot it justify just joint join job jacking itself its issues inflation issue isnt isn is iny intolerable into interested keep keeping keeps kept limited limit like letting let lesser less legacy left learning layoff later last laid lack kids kidding instead increments hacking having hiking hikes higher high her help elsewhere he havent increasses have has hardly hard happy hand half had history holder horrible hosehold increasing increases increased increase income improvements im ill if idea husband hungry huge how households household house email youre else becoming biannually bf better benefits benefit being begin been because as became be barely bank back awhile away automatically biased biden biggest bill cant cannot cancelling bye by but business buggin budget broke break both blindly bit bills billings billing at aren cared adding againlater again after afford adicional addresses additional addition added are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed care caring eliminating days direction differences didnt deteriorated delivering decisions death deal day currency daughter date damn dad cutting cut customers customer disappointed discontinue disgusting disgusts el edge easily earlier duplicate due drive drastically drain down limiting dont done don doesnt do divorce current creep caused checking combining combine college climbing climb city choose choice cheaper credit charges charged charge changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive double loyal little squeeze stop stepdad stealing stay states starting started start spouses stranger spouse spending span sorry soon son something someone stopped stupid their take thanks than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber some so situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series service significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services thats there ridiculous waste what were went well weeks week we way was where warrant wanted waiting wait vs virtue value vaccine whats while these would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing wife why ut using uses time town tooo too told today tired tipped times tightening users tight throughout through this think things thing they tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice right return living no of now notified nothing not nonsense nonesence non nice offer news newest new never needed need must multiple off offered outside opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often much moving moved lower manservices making makes make made luck loyalty your lost move losing loose looking longer long lol location ll many market married may more months monthly month money monetary moment mistake mind might merge memberships members member medical means maybe out over retiring raised really reality reactivate re rather rates raising raises raise recent quickly quality putting put pushed provider profits profit reason recently overpriced replace retired
Topic 10 | Coherence=-216185.06 | Top words= has my with an subscription already in so one moving bf dont he anymore and need keep husband stepdad learning rather time waste cant would much of increased spend like what budget seen wife money moved opportunity pleased other someone girl gf greed greedy getting get gouging great garbage guys hacked enough entertaining games gas end elsewhere gotten give given go fuel goes going gone gonna good got emails email grandkids future extra entertainment from few every feet fees feel fee everything expected expenses fault far fan family expensive extortion fair fact fiance finally financial food especially face free forth forever forcing for euro financially focused flat hackednot even fixed fix first frequent youre hacking kept keeping justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable keeps kidding interested kids little limiting limited limit life letting let lesser less legacy left leave layoff later last laid lack into instead had holder hiking hikes hike higher high her eliminating help health having havent have hardly hard happy hand half history horrible inflation hosehold increments increasses increasing increases increase income improvements im ill if idea hungry huge how households household house else drain el edge biden biased biannually between better benefits benefit being begin before been becoming because became be barely bank back awhile biggest bill billing but card cannot cancelling canceling cancel can bye by business billings buggin broke break boyfriend both blindly bit bills away automatically aunt adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at another as aren are apps aparently anyways any anticonsumer annually all amounts amount amercian am also almost allowed allow care cared caring day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency down easily earlier each duplicate due drive drastically living double disappointed done don doesnt do divorce disgusts disgusting discontinue current creep caused cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared live loyal ll states sub stupid stranger stopping stopped stop stealing stay starting subscribers started start squeeze spouses spouse spending span sorry subscriber subscriptions son temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer soon something ripped scales series sense selection seems see secure second scaling saving services save same run rules rule rotating rising risen service servicio some shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled there these they was whats were went well weeks week we way warrant where wants wanted want waiting wait vs virtue value when while thing wouldn youll you yet years yearly year yall ya worth who workable work wont won without willing will why vaccine ut using tired tried tracking town tooo too told today to tipped uses times tightening tight throughout through this think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable rise right location nonsense offset offered offer off now notified nothing not nonesence ok non no nice next news newest new never often on must others owning owner own overpriced over outside out our original once or options option opening opened ontario only oneday needed multiple ridiculous your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may move mind more months monthly month monetary moment mom mistake might maybe merge memberships membership members member medical means me pagos parent parents rates recession recently recent reason really reality reactivate re rate redo raising raises raised raise quickly quality putting put rectifying reduce passed respect return
Topic 11 | Coherence=-212383.25 | Top words= have the greedy subscription price and but will are constant you times increases ridiculous in how tracking high rejoin get gotten they later moving access live settled once poland amercian losing another youre temporarily cancelling money bills medical made join became went talk raises pricing gone going goes given go give girl gf getting addresses gas garbage addtional games gonna additional good hacking adding has hardly hard happy hand half had hackednot got hacked guys addition greed great grandkids gouging fuel future am from fees fee fault far fan family fair fact face extra extortion expensive expenses expected everything every even euro feel feet frequent few free forth having forever forcing for food focused flat adicional fixed fix first financially financial finally fiance havent higher he is kids kidding kept keeps keeping keep justify just joint job jacking itself its it issues issue isnt lack laid last letting little limiting limited limit like life about let absurd lesser less legacy left leave learning layoff isn acceptance health iny huge acct households household house hosehold horrible activities holder history hiking hikes hike entertainment added her help hungry husband idea increasing intolerable into interested instead inflation increments increasses account if increased increase income accounts improvements im ill especially enough afford cant alarming canceling cancel can all bye by allow business buggin budget broke break boyfriend allowed both blindly cannot card billings care choose choice checking cheaper charging agree charges charged charge changing changes changed change cell caused caring cared bit billing entertaining back away automatically aunt at as aren already apps aparently anyways anymore any anticonsumer annually also an amounts awhile bank bill barely biggest almost biden biased biannually bf between better benefits benefit being begin before been becoming because be city climb climbing double done don doesnt do divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions dont down college living amount end emails email elsewhere else eliminating el edge easily earlier each duplicate due drive after drastically death deal days day continues continue continually continously constantly againlater consolidating consider connected compromised competitive compared company coming come combining combine continuous cost costs customers again daughter date damn dad cutting cut customer country currently current currency creep credit covid courtesy drain loyal ll start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone taking thats that thanks thank than terrible temporary taste take sub system switching support summer success subscriptions subscribers subscriber something some there scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she sharing share shady several set their these location way when whats what were well weeks week we waste while was warrant wants wanted want waiting wait vs where who value would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife virtue vaccine thing tired try tried town tooo too told today to tipped twice time tightening tight throughout through this think things trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped right nonesence offer off of now notified nothing not nonsense non offset no nice next news newest new never needed offered often my options over outside out our others other original or option ok opportunity opening opened ontario only oneday one on need must return loyalty married market many manservices making makes make luck your maybe lower lost loose looking longer long lol locations may me multiple moment much moved move more months monthly month monetary mom means mistake mind might merge memberships membership members member overpriced own owner rate recent reason really reality reactivate re rather rates raising recession raised raise quickly quality putting put pushed provider recently rectifying owning residence retiring
Topic 12 | Coherence=-229467.18 | Top words= it the can this you time at afford my in not just months as use many but last now see moved job by has daughter think pay willing lost way using high subscription same never residence won start am increase charge too apps support hardly re opportunity right justify other take interested again being every due jacking amount month raised when really times was fuel got good future gotten frequent free gonna gouging from going gone games give goes go garbage gas get getting gf given girl youre fiance forth family fact face extra extortion expensive expenses expected everything even euro especially entertainment entertaining enough end emails email fair fan forever far forcing for food focused flat fixed fix first financially financial finally few feet fees feel fee fault grandkids help great iny itself its issues issue isnt isn is intolerable income into instead inflation increments increasses increasing increases join joint keep keeping let lesser less legacy left leave learning layoff later laid lack kids kidding kept keeps increased improvements greed happy else health he having havent have hard hand im half had hacking hackednot hacked guys greedy her higher hike hikes ill if idea husband hungry huge how households household house hosehold horrible holder history hiking elsewhere doesnt eliminating benefit biggest biden biased biannually bf between better benefits begin awhile before been becoming because became be barely bank bill billing billings bills care card cant cannot cancelling canceling cancel bye business buggin budget broke break boyfriend both blindly bit back away caring adding agree againlater after adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about alarming all allow allowed aunt aren are aparently anyways anymore any anticonsumer another annually and an amounts amercian also already almost cared caused el deal different differences didnt deteriorated delivering declined decisions death days current day date damn dad cutting cut customers customer direction disappointed discontinue disgusting edge easily earlier each duplicate drive drastically drain down double dont done don life do divorce disgusts currently currency cell choice come combining combine college climbing climb city choose checking creep cheaper charging charges charged changing changes changed change coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised letting loyal like spend stay states starting started squeeze spouses spouse spending span since sorry soon son something someone some so situation stealing stepdad stop stopped terrible temporary temporarily taste talk taking system switching summer success subscriptions subscribers subscriber sub stupid stranger stopping single significant thank rules seems secure second scaling scales saving save run rule signaling rotating rising risen rise ripped ridiculous return retiring seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service than thanks resume waste whats what were went well weeks week we warrant ut wants wanted want waiting wait vs virtue value where while who why youll yet years yearly year yall ya wouldn would worth workable work wont without with will wife vaccine uses that tight town tooo told today to tired tipped tightening throughout users through things thing they these there their thats tracking tried try trying used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retired resubscribe limit newest nothing nonsense nonesence non no nice next news new money needed need must multiple much moving move more notified of off offer others original or options option opening opened ontario only oneday one once on ok often offset offered monthly monetary out long luck loyalty your lower losing loose looking longer lol moment locations location ll living live little limiting limited made make makes making mom mistake mind might merge memberships membership members member medical means me maybe may married market manservices our outside restriction putting rather rates rate raising raises raise quickly quality put president pushed provider profits profit profiles problem pricing prices reactivate reality reason recent
Topic 13 | Coherence=-216977.35 | Top words= subscription the away passed do higher thing are same who than rates your with others my and account owner she this had has news mom sub phone paying disappointed of offered parent owning already joint person he charges aunt situation using currently if bf what raising business gone gf guys games garbage greedy gas get greed getting great girl grandkids gouging give gotten given go got goes gonna going good youre future fault fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end far fee fuel feel from frequent free forth forever for food focused flat fixed fix first financially financial finally fiance few feet fees forcing have hacked keeps keep justify just join job jacking itself its it issues issue isnt isn is iny intolerable into keeping kept instead kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids interested inflation hackednot horrible history hiking hikes hike high her help health having havent email hardly hard happy hand half hacking holder hosehold increments house increasses increasing increases increased increase income in improvements im ill idea husband hungry huge how households household emails drain elsewhere being biggest biden biased biannually between better benefits benefit begin billing before been becoming because became be barely bank bill billings awhile by card cant cannot cancelling canceling cancel can bye but bills buggin budget broke break boyfriend both blindly bit back automatically cared addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts access acceptance absurd about agree all at another as aren apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian am also almost allowed care caring else deal different differences didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers direction disgusting current drive eliminating el edge easily earlier each duplicate due drastically disgusts limiting down double dont done don doesnt divorce customer currency caused checking combining combine college climbing climb city choose choice cheaper coming charging charged charge changing changes changed change cell come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive limited loyal little started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger subscriber these taste their thats that thanks thank terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions son something someone scaling series sense selection seen seems see secure second scales some saving save run rules rule rotating rising risen service services servicio set so single since significant signaling sign sight sick shoves shouldn should short sharing share shady several settled there they ripped way when whats were went well weeks week we waste while was warrant wants wanted want waiting wait vs where why things wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will virtue value vaccine to try tried tracking town tooo too told today tired ut tipped times time tightening tight throughout through think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right live newest nothing not nonsense nonesence non no nice next new now never needed need must multiple much moving moved notified off outside opened our other original or options option opportunity opening ontario offer only oneday one once on ok often offset move more months losing making makes make made luck loyalty lower lost loose monthly looking longer long lol locations location ll living manservices many market married month money monetary moment mistake mind might merge memberships membership members member medical means me maybe may out over ridiculous rather recession recently recent reason really reality reactivate re rate redo raises raised raise quickly quality putting put pushed rectifying reduce overpriced respect return
Topic 14 | Coherence=-215416.13 | Top words= my married and subscription got don husband getting subscriptions too to need memberships two now wife be hacked her has own hard accounts combining recently consolidating fix share will using after easily secure spouses come fault financial hackednot was few break like joint emails email expenses expected gf everything every girl give even given go elsewhere goes going gone euro especially gonna expensive entertainment entertaining gotten gouging grandkids great greed greedy guys enough end good get gas fan fact fixed fair first financially family far extortion finally fiance feet fees feel fee hacking flat focused face food for forcing forever forth free frequent from fuel extra future games garbage youre he had job kidding kept keeps keeping keep justify just join jacking intolerable itself its it issues issue isnt isn is kids lack laid last living live little limiting limited limit life letting let lesser less legacy left leave learning layoff later iny into half high hosehold horrible holder history hiking hikes hike higher help interested health eliminating having havent have hardly happy hand house household households how instead inflation increments increasses increasing increases increased increase income in improvements im ill if idea hungry huge else double el before biannually bf between better benefits benefit being begin been biden becoming because became barely bank back awhile away biased biggest aunt buggin cancelling canceling cancel can bye by but business budget bill broke boyfriend both blindly bit bills billings billing automatically at edge addition agree againlater again afford adicional addtional addresses additional adding all added activities acct account access acceptance absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost cannot cant card daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different care location earlier each duplicate due drive drastically drain down dont direction done doesnt do divorce disgusts disgusting discontinue disappointed currency creep credit charged climb city choose choice checking cheaper charging charges charge covid changing changes changed change cell caused caring cared climbing college combine coming courtesy country costs cost continuous continues continue continually continously constantly constant consider connected compromised competitive compared company ll loyal locations lol stopping stopped stop stepdad stealing stay states starting started start squeeze spouse spending spend span sorry soon son something stranger stupid sub taste thats that thanks thank than terrible temporary temporarily talk subscriber taking take system switching support summer success subscribers someone some so save selection seen seems see second scaling scales saving same series run rules rule rotating rising risen rise ripped sense service situation shouldn single since significant signaling sign sight sick shoves should services short she sharing shady several settled set servicio the their there we when whats what were went well weeks week way while waste warrant wants wanted want waiting wait vs where who value wouldn youll you yet years yearly year yall ya would why worth workable work wont won without with willing virtue vaccine these time tracking town tooo told today tired tipped times tightening try tight throughout through this think things thing they tried trying ut up uses users used use us upward upping upcoming until twice unneeded unnecessary unfortunately unfair unemployed understand under unable right ridiculous return nonsense offset offered offer off of notified nothing not nonesence ok non no nice next news newest new never often on must or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one needed multiple owning luck may market many manservices making makes make made loyalty me your lower lost losing loose looking longer long maybe means much monetary moving moved move more months monthly month money moment medical mom mistake mind might merge membership members member owner pagos retiring raising reason really reality reactivate re rather rates rate raises recession raised raise quickly quality putting put pushed provider recent rectifying profit reside retired resume
Topic 15 | Coherence=-225113.84 | Top words= it anymore you afford to enough worth not now are don use cant that and make business making resubscribe doesnt sense decisions well time the increasing thanks right at inflation but do me when currently customers dont guys by president caused biden money way keeps service used using longer get rising want warrant cost cannot often any costs recession paying allow pay subscription euro currency even gas especially entertainment garbage go getting gf great grandkids gouging gotten got good gonna gone going goes games given give girl entertaining every family future extortion financial finally extra fiance few face fact feet fees feel fair fee fault far fan financially greed everything first fuel from frequent expected forth forever forcing for food expenses focused flat fixed expensive fix free her greedy justify joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead increments just keep increases keeping life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept increasses increased hacked hikes higher high help health he having havent have has hardly hard happy hand half had hacking hackednot hike hiking increase history income in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder end youre emails biggest biannually bf between better benefits benefit being begin before been becoming because became be barely bank back biased bill away billing care card cancelling canceling cancel can bye buggin budget broke break boyfriend both blindly bit bills billings awhile automatically email agree again after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming aunt all as aren apps aparently anyways anticonsumer another annually an amounts amount amercian am also already almost allowed cared caring cell disgusting disappointed direction different differences didnt deteriorated delivering declined death deal days day daughter date damn dad cutting discontinue disgusts change divorce elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double done limit cut customer current creep combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed come coming company continually credit covid courtesy country continuous continues continue continously compared constantly constant consolidating consider connected compromised competitive like loyal limited spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some so stealing stop resume support temporary temporarily taste talk taking take system switching summer stopped success subscriptions subscribers subscriber sub stupid stranger stopping situation single since run see secure second scaling scales saving save same rules significant rule rotating risen rise ripped ridiculous return retiring seems seen selection series signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services terrible than thank waste where whats what were went weeks week we was uses wants wanted waiting wait vs virtue value vaccine while who why wife youll yet years yearly year yall ya wouldn would workable work wont won without with willing will ut users thats throughout too told today tired tipped times tightening tight through us this think things thing they these there their tooo town tracking tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try retired restriction limiting newest nothing nonsense nonesence non no nice next news new of never needed need my must multiple much moving notified off restrict opened others other original or options option opportunity opening ontario offer only oneday one once on ok offset offered moved move more loose makes made luck loyalty your lower lost losing looking months long lol locations location ll living live little manservices many market married monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may our out outside quickly re rather rates rate raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reactivate reality really reason
Topic 16 | Coherence=-226248.91 | Top words= price is more with increases have forcing face nice shoves iny pop choice keeping life especially up expensive lost make just to can subscriber currently so me be anymore subscription not worth problem you for saving deal this your the when as customer stop addtional will new youll back pick drive manservices need competitive shouldn market from down upcoming changing increase resume thats done bank money keep paying opened it got future good fuel gotten gonna gone go going games garbage gas goes getting gf girl give given get financial frequent fault fan family fair fact extra extortion expenses expected everything every even euro entertainment entertaining enough far fee free feel forth forever food focused flat fixed fix first financially grandkids finally fiance few feet fees gouging having great greed jacking itself its issues issue isnt isn intolerable into interested instead inflation increments increasses increasing increased income job join joint layoff let lesser less legacy left leave learning later justify last laid lack kids kidding kept keeps in improvements im happy health he emails havent has hardly hard hand her half had hacking hackednot hacked guys greedy help high ill household if idea husband hungry huge how households house higher hosehold horrible holder history hiking hikes hike end youre email begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely awhile away automatically biden bill elsewhere buggin cannot cancelling canceling cancel bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt at aren adding againlater again after afford adicional addresses additional addition added are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also already almost allowed cant card care death direction different differences didnt deteriorated delivering declined decisions days currency day daughter date damn dad cutting cut customers disappointed discontinue disgusting disgusts else eliminating el edge easily earlier each duplicate due drastically drain double dont don doesnt do divorce current creep cared charging combine college climbing climb city choose checking cheaper charges credit charged charge changes changed change cell caused caring combining come coming company covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised compared letting loyal like spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son something someone stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers sub some single that run seems see secure second scaling scales save same rules since rule rotating rising risen rise ripped right ridiculous seen selection sense series significant signaling sign sight sick should short she sharing share shady several settled set servicio services service thanks their limit was were went well weeks week we way waste warrant ut wants wanted want waiting wait vs virtue value what whats where while yet years yearly year yall ya wouldn would workable work wont won without willing wife why who vaccine using there time town tooo too told today tired tipped times tightening uses tight throughout through think things thing they these tracking tried try trying users used use us upward upping until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice return retiring retired no off of now notified nothing nonsense nonesence non next moved news newest never needed my must multiple much offer offered offset often out our others other original or options option opportunity opening ontario only oneday one once on ok moving move resubscribe long made luck loyalty lower losing loose looking longer lol months locations location ll living live little limiting limited makes making many married monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may outside over overpriced raises really reality reactivate re rather rates rate raising raised own raise quickly quality putting put pushed provider profits reason recent recently
Topic 17 | Coherence=-222184.98 | Top words= and charge bye re me your no extra anyways daughter good it is she thank college worth not to ut uses sign when you my price increase cut just of subscription expenses recent talk need limited almost increased month rent per profits kidding even costs looking retiring has covid must broke redo membership cared services got waste used seems finally feel given give entertaining girl gf go getting get gas entertainment garbage games fair fee fuel fault goes going gone gonna enough end emails family fan gotten gouging future fact from financial extortion great fiance expensive financially few expected first fix fixed everything flat focused every food for forcing far feet forever forth euro especially face free frequent fees grandkids have greed justify join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses joint keep increases keeping life letting let lesser less legacy left leave learning layoff later last laid lack kids kept keeps increasing income greedy higher her help health he having havent elsewhere hardly hard happy hand half had hacking hackednot hacked guys high hike in hikes improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history hiking email youre else been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden aunt budget cancelling canceling cancel can by but business buggin break biggest boyfriend both blindly bit bills billings billing bill automatically at eliminating adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as annually aren are apps aparently anymore any anticonsumer another an all amounts amount amercian am also already allowed allow cannot cant card death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day date damn dad cutting customers customer disappointed disgusting care drastically el edge easily earlier each duplicate due drive drain disgusts like double dont done don doesnt do divorce currently current currency charging combine climbing climb city choose choice checking cheaper charges creep charged changing changes changed change cell caused caring combining come coming company credit courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared down loyal limit started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub limiting taste the thats that thanks than terrible temporary temporarily taking subscriber take system switching support summer success subscriptions subscribers son something someone saving sense selection seen see secure second scaling scales save some same run rules rule rotating rising risen rise series service servicio set so situation single since significant signaling sight sick shoves shouldn should short sharing share shady several settled their there these we where whats what were went well weeks week way value was warrant wants wanted want waiting wait vs while who why wife youll yet years yearly year yall ya wouldn would workable work wont won without with willing will virtue vaccine they times tracking town tooo too told today tired tipped time using tightening tight throughout through this think things thing tried try trying twice users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous nice offer off now notified nothing nonsense nonesence non next move news newest new never needed multiple much moving offered offset often ok out our others other original or options option opportunity opening opened ontario only oneday one once on moved more over loose makes make made luck loyalty lower lost losing longer months long lol locations location ll living live little making manservices many market monthly money monetary moment mom mistake mind might merge memberships members member medical means maybe may married outside overpriced return raised really reality reactivate rather rates rate raising raises raise pricing quickly quality putting put pushed provider profit profiles reason recently recession rectifying
Topic 18 | Coherence=-227694.31 | Top words= you extra share of because charging greedy your subscriptions price also fan not few many over years to way money my me out with cant without grandkids stay made damn summer activities health better moving new spending happy bill nothing or stop service subscribers and rising ya going gotten got good gonna gone expected feet everything goes go given give girl gf gouging even every enough elsewhere email hackednot emails hacked end guys getting entertaining entertainment greed great especially euro expenses expensive get fee food focused hacking fault flat fixed fix far feel first fees financially financial finally for family fiance fuel extortion face gas garbage games future from forcing fact frequent free fair forth forever youre he had keeping justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable into keep keeps instead kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding interested inflation half hosehold holder history hiking hikes hike higher high her help eliminating having havent have has hardly hard hand horrible house increments household increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how households else dont el before biased biannually bf between benefits benefit being begin been biggest becoming became be barely bank back awhile away biden billing aunt business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically at care addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian am already almost allowed card cared edge days differences didnt deteriorated delivering declined decisions death deal day direction daughter date dad cutting cut customers customer currently different disappointed currency down easily earlier each duplicate due drive drastically drain double discontinue limited done don doesnt do divorce disgusts disgusting current creep caring cheaper combine college climbing climb city choose choice checking charges come charged charge changing changes changed change cell caused combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared limit loyal limiting squeeze stopping stopped stepdad stealing states starting started start spouses stupid spouse spend span sorry soon son something someone stranger sub there temporarily the thats that thanks thank than terrible temporary taste subscriber talk taking take system switching support success subscription some so situation save seen seems see secure second scaling scales saving same single run rules rule rotating risen rise ripped right selection sense series services since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio their these little warrant were went well weeks week we waste was wants whats wanted want waiting wait vs virtue value vaccine what when they workable youll yet yearly year yall wouldn would worth work where wont won willing will wife why who while ut using uses times tracking town tooo too told today tired tipped time users tightening tight throughout through this think things thing tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous return retiring no offered offer off now notified nonsense nonesence non nice often next news newest never needed need must multiple offset ok retired options owner own overpriced outside our others other original option on opportunity opening opened ontario only oneday one once much moved move loose making makes make luck loyalty lower lost losing looking more longer long lol locations location ll living live manservices market married may months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe owning pagos parent rate recent reason really reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recently recession rectifying redo
Topic 19 | Coherence=-216112.39 | Top words= be back to will need of payment month end move my ill on off subscriptions else with being lol emails using double awhile sick same something next rotating another different platform ripped payday locations used soon you enough switching date subscription week sight expenses caused redo support extra give girl expected gf fees go getting expensive get email extortion gas given going goes gone gonna elsewhere good euro got gotten gouging grandkids great greed greedy everything guys garbage future games fault fan especially fixed fix far first fee flat financially financial finally feel fiance few entertainment focused feet fact fuel from frequent free face forth fair entertaining forever every family forcing for food even youre hacked issues just joint join job jacking itself its it issue keep isnt isn is iny intolerable into interested instead justify keeping increments leave like life letting let lesser less legacy left learning keeps layoff later last laid lack kids kidding kept inflation increasses hackednot havent hike higher high her help health he having have hiking eliminating hardly hard happy hand half had hacking hikes history increasing idea increases increased increase income in improvements im if husband holder hungry huge how households household house hosehold horrible has done el before biased biannually bf between better benefits benefit begin been biggest becoming because became barely bank away automatically aunt biden bill as buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings at aren cant adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer annually and amounts all amount amercian am also already almost allowed allow cannot card edge daughter deteriorated delivering declined decisions death deal days day damn differences dad cutting cut customers customer currently current currency didnt direction credit down easily earlier each duplicate due drive drastically drain dont disappointed limited don doesnt do divorce disgusts disgusting discontinue creep covid care charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caring cared college combining courtesy constantly country costs cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming limit loyal limiting started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry son stranger sub retiring temporary their the thats that thanks thank than terrible temporarily subscriber taste talk taking take system summer success subscribers someone some so saving selection seen seems see secure second scaling scales save situation run rules rule rising risen rise right ridiculous sense series service services single since significant signaling sign shoves shouldn should short she sharing share shady several settled set servicio there these they way when whats what were went well weeks we waste value was warrant wants wanted want waiting wait vs where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife virtue vaccine thing tipped tried tracking town tooo too told today tired times ut time tightening tight throughout through this think things try trying twice two uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retired little nice now notified nothing not nonsense nonesence non no news offered newest new never needed must multiple much moving offer offset resume option outside out our others other original or options opportunity often opening opened ontario only oneday one once ok moved more months lost making makes make made luck loyalty your lower losing monthly loose looking longer long location ll living live manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may over overpriced own raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
Topic 20 | Coherence=-224718.42 | Top words= keep prices increasing and for is sharing it no at going rates long subscriber customer time only alarming there feel loyalty terrible like your addition pricing we will greedy charges you of subscriptions charging the bye after me dad caring two daughter saving limited our us households have multiple stop merge just new users upping talk anymore recent gonna house guys manservices stopping later forth forever forcing learning layoff food free focused flat fixed gone go frequent last given goes give girl gf getting get from gas leave garbage games future fuel issues financial fix everything extra extortion letting expensive life expenses expected every fact even euro especially entertainment entertaining enough end face fair first few left financially got finally fiance legacy less feet family lesser fees let fee fault far fan good hackednot gotten husband in improvements im ill if idea job income hungry huge how household join hosehold jacking increase horrible into issue isnt isn its iny intolerable interested increased instead inflation increments increasses itself increases joint holder gouging kids happy hand kept half kidding had lack hardly hacking hacked laid greed great grandkids hard has history her hiking hikes hike higher justify high help keeps keeping health email he having havent emails youre elsewhere begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill card buggin cannot cancelling canceling cancel can by but business budget billing broke break boyfriend both blindly bit bills billings awhile away automatically adding agree againlater again afford adicional addtional addresses additional added aunt activities acct accounts account access acceptance absurd about all allow allowed almost as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already cant care else death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day date damn cutting cut customers currently disappointed disgusting cared drive eliminating el edge easily earlier each duplicate due drastically disgusts drain down double dont don doesnt do divorce current currency creep checking combining combine college climbing climb city choose choice cheaper credit charged charge changing changes changed change cell caused come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive done loyal limit spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some so stealing stopped limiting take that thanks thank than temporary temporarily taste taking system stranger switching support summer success subscription subscribers sub stupid situation single since run seems see secure second scaling scales save same rules significant rule rotating rising risen rise ripped right ridiculous seen selection sense series signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services service thats their these week where when whats what were went well weeks way virtue waste was warrant wants wanted want waiting wait while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vs value they tipped tracking town tooo too told today to tired times vaccine tightening tight throughout through this think things thing tried try trying twice ut using uses used use upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retiring retired nice off now notified nothing not nonsense nonesence non next moved news newest never needed need my must much offer offered offset often outside out others other original or options option opportunity opening opened ontario oneday one once on ok moving move overpriced loose making makes make made luck lower lost losing looking more longer lol locations location ll living live little many market married may months monthly month money monetary moment mom mistake mind might memberships membership members member medical means maybe over own resume raised really reality reactivate re rather rate raising raises raise problem quickly quality putting put pushed provider profits profit reason recently recession rectifying
Topic 21 | Coherence=-218810.84 | Top words= for the subscription my on now as trying going possible to much divorce another money am through using wife left courtesy spending cut months reduce bills gonna moving spend im don own thank about we payday save fees country only just greed gone hacked good from goes fuel guys future go games greedy gotten gouging garbage gas get great given frequent give girl getting gf got grandkids youre free every fact face extra extortion expensive expenses expected everything even family euro especially entertainment entertaining enough end emails email fair fan forth first forever forcing food focused hacking flat fixed fix financially far financial finally fiance few feet feel fee fault hackednot he had its keeping keep justify joint join job jacking itself it kept issues issue isnt isn is iny intolerable into keeps kidding half lesser little limiting limited limit like life letting let less kids legacy leave learning layoff later last laid lack interested instead inflation health history hiking hikes hike higher high her help else increments having havent have has hardly hard happy hand holder horrible hosehold house increasses increasing increases increased increase income in improvements ill if idea husband hungry huge how households household elsewhere drain eliminating before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically buggin cancelling canceling cancel can bye by but business budget bill broke break boyfriend both blindly bit billings billing away aunt cant addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all at annually aren are apps aparently anyways anymore any anticonsumer and allow an amounts amount amercian also already almost allowed cannot card el day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting customers customer currently current differences direction creep living edge easily earlier each duplicate due drive drastically down disappointed double dont done doesnt do disgusts disgusting discontinue currency credit care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine covid constant costs cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come live loyal ll starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse span sorry soon son stupid subscriber someone taste their thats that thanks than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions something some ripped scaling series sense selection seen seems see secure second scales services saving same run rules rule rotating rising risen service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled there these they week where when whats what were went well weeks way who waste was warrant wants wanted want waiting wait while why thing wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs virtue value tired try tried tracking town tooo too told today tipped vaccine times time tightening tight throughout this think things twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise right location nonesence offered offer off of notified nothing not nonsense non often no nice next news newest new never needed offset ok must original owner overpriced over outside out our others other or once options option opportunity opening opened ontario oneday one need multiple ridiculous your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may moved mind move more monthly month monetary moment mom mistake might maybe merge memberships membership members member medical means me owning pagos parent rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo parents respect return
Topic 22 | Coherence=-224464.29 | Top words= back be to will money break change taking need subscription of my time only just when is we ll and due saving can for acceptance reality that lack losing one got job bit billing outside month laid summer country don sharing feet new coming combine play repurposing broke many households might date monetary remarried on get own being divorce layoff come payday business take services bf customers again playing extra given face give go extortion goes expensive going gone focused gonna fair good expenses expected gotten gouging grandkids everything great greed every greedy even guys fact gf girl family flat forcing forever fixed hacked fix forth free first frequent from fuel financially financial future games finally fiance few garbage fees feel fee gas fault far getting fan food youre help hackednot iny itself its it issues issue isnt isn intolerable join into interested instead inflation increments increasses increasing jacking joint hacking learning letting let lesser less legacy left leave later justify last kids kidding kept keeps keeping keep increases increased increase havent higher high her especially health he having have income has hardly hard happy hand half had hike hikes hiking history in improvements im ill if idea husband hungry huge how household house hosehold horrible holder euro drastically entertainment before biden biased biannually between better benefits benefit begin been at becoming because became barely bank awhile away automatically biggest bill billings bills caring cared care card cant cannot cancelling canceling cancel bye by but buggin budget boyfriend both blindly aunt as entertaining addition agree againlater after afford adicional addtional addresses additional adding aren added activities acct accounts account access absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost caused cell changed didnt do disgusts disgusting discontinue disappointed direction different differences deteriorated changes delivering declined decisions death deal days day daughter doesnt done dont double enough end emails email elsewhere else eliminating el edge easily earlier each duplicate drive like drain down damn dad cutting connected competitive compared company combining college climbing climb city choose choice checking cheaper charging charges charged charge changing compromised consider cut consolidating customer currently current currency creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant life loyal limit starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber limited terrible these there their the thats thanks thank than temporary subscribers temporarily taste talk system switching support success subscriptions soon son something second service series sense selection seen seems see secure scaling someone scales save same run rules rule rotating rising servicio set settled several some so situation single since significant signaling sign sight sick shoves shouldn should short she share shady they thing things week while where whats what were went well weeks way virtue waste was warrant wants wanted want waiting wait who why wife willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with vs value think told twice trying try tried tracking town tooo too today vaccine tired tipped times tightening tight throughout through this two unable under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed risen rise ripped no off now notified nothing not nonsense nonesence non nice moved next news newest never needed must multiple much offer offered offset often overpriced over out our others other original or options option opportunity opening opened ontario oneday once ok moving move owning looking make made luck loyalty your lower lost loose longer more long lol locations location living live little limiting makes making manservices market months monthly moment mom mistake mind merge memberships membership members member medical means me maybe may married owner pagos right rates recession recently recent reason really reactivate re rather rate provider raising raises raised raise quickly quality putting put rectifying redo reduce reducing
Topic 23 | Coherence=-211180.01 | Top words= to my not subscription that it is pay just have was but after so because an bill ill do compromised card charged without credit told automatically option wanted bank allowed think fault before prefer yearly can customers even issues spend goes euro go going gone gonna given give every girl everything gf good feel got gotten end half had enough hacking entertaining hackednot hacked guys greedy entertainment greed great grandkids especially gouging expenses expected get getting first for food fan focused flat fixed fix far expensive financially financial fee finally fiance few feet forcing family fair forever fees extortion gas garbage games future extra fuel from frequent face free hand forth fact youre higher happy justify laid lack kids kidding kept keeps keeping keep joint hard join job jacking itself its issue isnt isn last later layoff learning location ll living live little limiting limited limit like life letting let lesser less legacy left leave iny intolerable into household hosehold horrible holder history hiking hikes hike email high her help health he having havent has hardly house households interested how instead inflation increments increasses increasing increases increased increase income in improvements im if idea husband hungry huge emails down elsewhere being biden biased biannually bf between better benefits benefit begin at been becoming became be barely back awhile away biggest billing billings bills care cant cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly bit aunt as caring adding againlater again afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also already almost cared caused else decisions disappointed direction different differences didnt deteriorated delivering declined death customer deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drastically drain lol double dont done don doesnt cut currently cell choice come combining combine college climbing climb city choose checking current cheaper charging charges charge changing changes changed change coming company compared competitive currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected locations loyal long right stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending span sorry soon son something stranger stupid sub talk thats thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers someone some situation saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio the their there we when whats what were went well weeks week way while waste warrant wants want waiting wait vs virtue where who vaccine would youll you yet years year yall ya wouldn worth why workable work wont won with willing will wife value ut these times tried tracking town tooo too today tired tipped time trying tightening tight throughout through this things thing they try twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous longer return offset offered offer off of now notified nothing nonsense nonesence non no nice next news newest new never needed often ok on original own overpriced over outside out our others other or once options opportunity opening opened ontario only oneday one need must multiple make maybe may married market many manservices making makes made means luck loyalty your lower lost losing loose looking me medical much monetary moving moved move more months monthly month money moment member mom mistake mind might merge memberships membership members owner owning pagos rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo provider residence retiring retired
Topic 24 | Coherence=-216002.65 | Top words= price the has hike since much was and your member increase up gone too is like of deteriorated drastically span that just months selection cost or be should in what sorry earlier oneday way half have stupid again charged ridiculous went fan quickly annually risen became tooo living games greedy family use especially give entertainment girl gf getting euro get given even every gas garbage entertaining goes go fuel enough end emails going email gonna good elsewhere got gotten gouging grandkids else future fee everything fixed fees feet few fair fiance finally financial fault fact great financially face first fix flat feel extra extortion expensive focused food for forcing forever forth expenses expected far free frequent from having greed keeps keep justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested keeping kept inflation kidding limited limit life letting let lesser less legacy left leave learning layoff later last laid lack kids instead increments guys history hikes higher high her help health he el havent hardly hard happy hand had hacking hackednot hacked hiking holder increasses horrible increasing increases increased income improvements im ill if idea husband hungry huge how households household house hosehold eliminating youre edge begin biased biannually bf between better benefits benefit being before biggest been becoming because barely bank back awhile away biden bill aunt buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically at easily adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer an allow amounts amount amercian am also already almost allowed cannot cant card date delivering declined decisions death deal days day daughter damn differences dad cutting cut customers customer currently current currency didnt different care done each duplicate due drive drain down double dont little direction don doesnt do divorce disgusts disgusting discontinue disappointed creep credit covid charges climbing climb city choose choice checking cheaper charging charge courtesy changing changes changed change cell caused caring cared college combine combining come country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming limiting loyal live start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend soon son something someone stopping sub their taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers some so situation same seems see secure second scaling scales saving save run single rules rule rotating rising rise ripped right return seen sense series service significant signaling sign sight sick shoves shouldn short she sharing share shady several settled set servicio services thats there retired we while where when whats were well weeks week waste why warrant wants wanted want waiting wait vs virtue who wife these wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing value vaccine ut time tracking town told today to tired tipped times tightening using tight throughout through this think things thing they tried try trying twice uses users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring resume ll nice now notified nothing not nonsense nonesence non no next offer news newest new never needed need my must off offered overpriced opportunity outside out our others other original options option opening offset opened ontario only one once on ok often multiple moving moved lower many manservices making makes make made luck loyalty lost move losing loose looking longer long lol locations location market married may maybe more monthly month money monetary moment mom mistake mind might merge memberships membership members medical means me over own resubscribe raised reality reactivate re rather rates rate raising raises raise reason quality putting put pushed provider profits profit profiles really recent owner rent restriction
Topic 25 | Coherence=-220784.52 | Top words= price with in one long the benefits keeps nonsense moved other changing been this don need subscriptions two you to too dont house finally tipped for direction scales goes continually significant start will again selection us there users boyfriend losing choose using damn being addition only gouging future great greed greedy grandkids games guys hacked got garbage gotten gas going get getting gf good girl give given from go gonna gone fuel youre frequent free fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere fair family fan first forth forever forcing food hackednot flat fixed fix financially far financial fiance few feet fees feel fee fault focused help hacking its keep justify just joint join job jacking itself it instead issues issue isnt isn is iny intolerable into keeping kept kidding kids limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack interested inflation had he hiking hikes hike higher high her eliminating health having increments havent have has hardly hard happy hand half history holder horrible hosehold increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how households household else doesnt el because biannually bf between better benefit begin before becoming became as be barely bank back awhile away automatically aunt biased biden biggest bill canceling cancel can bye by but business buggin budget broke break both blindly bit bills billings billing at aren cannot adding agree againlater after afford adicional addtional addresses additional added are activities acct accounts account access acceptance absurd about alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost cancelling cant edge daughter deteriorated delivering declined decisions death deal days day date credit dad cutting cut customers customer currently current currency didnt differences different disappointed easily earlier each duplicate due drive drastically drain down double done little do divorce disgusts disgusting discontinue creep covid card charged climbing climb city choice checking cheaper charging charges charge courtesy changes changed change cell caused caring cared care college combine combining come country costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared company coming limiting loyal live spending stealing stay states starting started squeeze spouses spouse spend stop span sorry soon son something someone some so stepdad stopped single switching terrible temporary temporarily taste talk taking take system support stopping summer success subscription subscribers subscriber sub stupid stranger situation since living rule secure second scaling saving save same run rules rotating seems rising risen rise ripped right ridiculous return retiring see seen signaling sharing sign sight sick shoves shouldn should short she share sense shady several settled set servicio services service series than thank thanks way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while that would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing wife why virtue value vaccine tight town tooo told today tired times time tightening throughout ut through think things thing they these their thats tracking tried try trying uses used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice retired resume resubscribe next now notified nothing not nonesence non no nice news off newest new never needed my must multiple much of offer overpriced opportunity outside out our others original or options option opening offered opened ontario oneday once on ok often offset moving move more your many manservices making makes make made luck loyalty lower months lost loose looking longer lol locations location ll market married may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me over own restriction raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason owner renewing restrict
Topic 26 | Coherence=-219928.58 | Top words= that price money like dont raised you shady offer used tried almost fact cancel once pay your also the don increase of increasing limit with bill when family new news power while agree share continually little point delivering value want extra idea outside states virtue political signaling caused dad been would this had half get getting girl gas garbage games gf hackednot give given guys greedy greed great grandkids gouging gotten got good hacking gone going goes hacked go gonna forth future face feel fee fault far fan adding fair addition extortion fuel expensive expenses expected everything every even euro especially fees feet few fiance from frequent free happy forever forcing for food focused flat fixed fix first added financially financial finally hand he hard its keep justify just joint join job jacking itself it acceptance issues issue isnt isn is iny intolerable into keeping keeps kept kidding about life letting let lesser less legacy left leave learning layoff later last absurd laid lack kids interested instead hardly high holder accounts history acct hiking hikes hike higher activities inflation her help health entertaining having havent have has horrible hosehold house household increments increasses access increases increased account income in improvements im ill if husband hungry huge how households entertainment el enough billings budget broke break boyfriend both blindly bit bills billing end biggest biden biased biannually bf between better benefits buggin business but adicional changing changes changed change cell caring cared care card cant cannot cancelling canceling addtional can bye by afford benefit being anyways any anticonsumer another annually and an amounts amount amercian am again already againlater allowed allow all alarming anymore aparently begin apps before becoming because became be barely bank back awhile away automatically aunt at as aren after are charge charged charges doesnt divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated declined decisions death deal days day daughter do additional damn done emails email elsewhere else eliminating edge easily earlier each duplicate due drive drastically drain down double limited date cutting charging consolidating connected compromised competitive compared company coming come combining combine college climbing climb city choose choice checking cheaper consider constant cut constantly customers customer addresses currently current currency creep credit covid courtesy country costs cost continuous continues continue continously youre loyal limiting spouses stop stepdad stealing stay starting started start squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger return system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub some so situation same seems see secure second scaling scales saving save run single rules rule rotating rising risen rise ripped right seen selection sense series since significant sign sight sick shoves shouldn should short she sharing several settled set servicio services service thank thanks thats waste what were went well weeks week we way was uses warrant wants wanted waiting wait vs vaccine ut whats where who why youll yet years yearly year yall ya wouldn worth workable work wont won without willing will wife using users their tightening too told today to tired tipped times time tight use throughout through think things thing they these there tooo town tracking try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying ridiculous retiring live newest nothing not nonsense nonesence non no nice next never now needed need my must multiple much moving moved notified off retired opening our others other original or options option opportunity opened offered ontario only oneday one on ok often offset move more months losing making makes make made luck loyalty lower lost loose monthly looking longer long lol locations location ll living manservices many market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may out over overpriced rate recent reason really reality reactivate re rather rates raising profit raises raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 27 | Coherence=-223637.69 | Top words= to and in my the price subscription different increases me of be want use two live on has country won location moved months change currency both changed able addresses where current anticonsumer upcoming fee over edge new moving pushed ridiculous amount short ontario everything bye time kids youll opening fair since getting our hikes continually given billing amercian addtional money else few far hackednot hacked guys greedy greed great grandkids goes gouging gotten got good gonna gone hacking had fan face having expensive havent extortion have extra additional half hardly fact family hard happy hand going go afford fixed forcing for food focused flat adicional feet forth fix first financially financial finally fiance forever free fault garbage after give girl gf get gas health frequent games future feel fuel from fees he another help her keep justify just joint absurd join job jacking itself its it issues issue isnt isn is iny keeping keeps kept legacy like life about letting let lesser less left kidding leave learning layoff later last laid lack intolerable into interested hosehold hungry huge how households adding household house horrible idea holder history addition hiking hike expenses high husband if acceptance accounts instead inflation access account increments increasses increasing acct ill increased increase activities income added improvements im higher especially expected blindly care card cant cannot cancelling canceling cancel can already by but business buggin budget broke break boyfriend cared caring caused charging climbing climb city choose choice checking cheaper charges cell allow charged charge changing changes allowed almost also bit combine bills bank amounts back awhile away an automatically aunt at as aren are apps aparently anyways anymore any barely became because bf billings am bill biggest biden biased biannually between becoming better benefits benefit being begin before been college combining every deteriorated drain limited down double dont done don doesnt do divorce disgusts disgusting discontinue disappointed direction againlater differences drastically drive due emails even euro annually entertainment entertaining enough end email duplicate elsewhere eliminating el again easily earlier each didnt delivering come declined all costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared company coming courtesy covid credit damn decisions death deal days day daughter date dad creep cutting cut customers customer currently agree alarming limit youre limiting start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid thats taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber something someone some scales sense selection seen seems see secure second scaling saving so save same run rules rule rotating rising risen series service services servicio situation single significant signaling sign sight sick shoves shouldn should she sharing share shady several settled set that their little way whats what were went well weeks week we waste while was warrant wants wanted waiting wait vs virtue when who there would you yet years yearly year yall ya wouldn worth why workable work wont without with willing will wife value vaccine ut tightening town tooo too told today tired tipped times tight using throughout through this think things thing they these tracking tried try trying uses users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice rise ripped right non offer off now notified nothing not nonsense nonesence no offset nice next news newest never needed need must offered often return original owning owner own overpriced outside out others other or ok options option opportunity opened only oneday one once multiple much move lost making makes make made luck loyalty your lower losing more loose looking longer long lol locations ll living manservices many market married monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may pagos parent parents rather recession recently recent reason really reality reactivate re rates provider rate raising raises raised raise quickly quality putting rectifying redo reduce reducing
Topic 28 | Coherence=-222825.36 | Top words= you for to charge that and going in my pay re sharing want more just kids raising people guys sign ut uses stop another from intolerable thank she city unfair college live because something they anyways with cant fair what got cheaper this how euro month choose don allow when family already worth currency upping into your location games week waste politically are gonna fuel frequent future gotten good given gone garbage goes gas get getting gf girl grandkids go gouging give youre free forth fact face extra extortion expensive expenses expected everything every even especially entertainment entertaining enough end emails email fan far fault first forever forcing food focused flat fixed fix financially fee financial finally fiance few feet fees feel great health greed justify join job jacking itself its it issues issue isnt isn is iny interested instead inflation increments increasses joint keep increases keeping life letting let lesser less legacy left leave learning layoff later last laid lack kidding kept keeps increasing increased greedy higher her help else he having havent have has hardly hard happy hand half had hacking hackednot hacked high hike increase hikes income improvements im ill if idea husband hungry huge households household house hosehold horrible holder history hiking elsewhere divorce eliminating being biden biased biannually bf between better benefits benefit begin away before been becoming became be barely bank back biggest bill billing billings cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills awhile automatically el adding again after afford adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about againlater agree alarming all at as aren apps aparently anymore any anticonsumer annually an amounts amount amercian am also almost allowed cannot card care deal different differences didnt deteriorated delivering declined decisions death days cared day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont done doesnt do limit disgusts customer currently current company come combining combine climbing climb choice checking charging charges charged changing changes changed change cell caused caring coming compared creep competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised like loyal limited span starting started start squeeze spouses spouse spending spend sorry stay soon son someone some so situation single since states stealing restriction success taste talk taking take system switching support summer subscriptions stepdad subscription subscribers subscriber sub stupid stranger stopping stopped significant signaling sight rising scales saving save same run rules rule rotating risen sick rise ripped right ridiculous return retiring retired resume scaling second secure see shoves shouldn should short share shady several settled set servicio services service series sense selection seen seems temporarily temporary terrible warrant whats were went well weeks we way was wants used wanted waiting wait vs virtue value vaccine using where while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife users use than through today tired tipped times time tightening tight throughout think us things thing these there their the thats thanks told too tooo town upward upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying try tried tracking resubscribe restrict limiting news nothing not nonsense nonesence non no nice next newest now new never needed need must multiple much moving notified of restart only original or options option opportunity opening opened ontario oneday off one once on ok often offset offered offer moved move months losing making makes make made luck loyalty lower lost loose monthly looking longer long lol locations ll living little manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may other others our putting rather rates rate raises raised raise quickly quality put president pushed provider profits profit profiles problem pricing prices reactivate reality really reason
Topic 29 | Coherence=-220800.72 | Top words= increase price to and customer about service even garbage issues rate customers care do that you profiles hikes your money paying extra future expected expensive others with using sharing so financial switching compared after states unemployed loyal activities since made being some subscriptions blindly having putting the market changed situation down barely people thanks continues fair cant play girl fuel food layoff for forcing forever forth free going frequent from gas goes last laid get later go games given give getting leave gf learning job focused flat lesser face let letting extortion life expenses like everything every limit euro especially entertainment entertaining enough end fact family fan less kids fixed fix left first financially legacy finally far fiance few feet fees feel fee fault lack gouging gone ill increased justify income in keep improvements im if increasing idea husband hungry huge how households household increases increasses gonna is itself its it join issue isnt isn joint increments iny just intolerable into interested instead inflation house hosehold keeping guys half kept had kidding hacking hackednot hacked greedy horrible greed great grandkids jacking gotten got good hand happy hard email holder history hiking keeps hike higher high her help health he havent have has hardly emails done elsewhere before biased biannually bf between better benefits benefit begin been aunt becoming because became be bank back awhile away biden biggest bill billing cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both bit bills billings automatically at card additional alarming agree againlater again afford adicional addtional addresses addition as adding added acct accounts account access acceptance absurd all allow allowed almost aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already cannot cared else death direction different differences didnt deteriorated delivering declined decisions deal current days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts eliminating el edge easily earlier each duplicate due drive drastically drain double dont limiting don doesnt divorce currently currency caring cheaper combine college climbing climb city choose choice checking charging creep charges charged charge changing changes change cell caused combining come coming company credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive limited youre little start stopping stopped stop stepdad stealing stay starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub they taste there their thats thank than terrible temporary temporarily talk subscriber taking take system support summer success subscription subscribers something someone single run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped right ridiculous seems seen selection sense signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services series these thing retiring we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who things would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife vs virtue value tired try tried tracking town tooo too told today tipped vaccine times time tightening tight throughout through this think trying twice two unable ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under return retired live news nothing not nonsense nonesence non no nice next newest now new never needed need my must multiple much notified of our only original or options option opportunity opening opened ontario oneday off one once on ok often offset offered offer moving moved move losing manservices making makes make luck loyalty lower lost loose more looking longer long lol locations location ll living many married may maybe months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me other out resume raised really reality reactivate re rather rates raising raises raise recent quickly quality put pushed provider profits profit problem reason recently outside replace resubscribe
Topic 30 | Coherence=-213871.29 | Top words= will you me are good the that bye email fact if again this only it consider not reactivate to issue rectifying makes forever give back never want come months againlater tightening budget return under restart new biased politically caused moment is just gas garbage games future fuel frequent from getting free forth like forcing for food focused get girl gf let greed great grandkids gouging gotten lesser got gonna fixed gone going goes letting go given life flat financially fix especially expenses expected limiting everything every even euro entertainment extortion little entertaining enough end emails live elsewhere expensive extra first feel guys financial finally fiance few feet fees fee face fault far fan family fair limit limited greedy hacking hacked increase kids increments increasses increasing increases increased lack income instead in laid improvements im ill last idea inflation interested hackednot issues join job jacking justify itself its keep keeping into keeps kept isnt isn iny intolerable kidding husband hungry later have high her help health he having havent has huge hardly hard happy hand half had joint higher else hike less how households household layoff house hosehold learning leave horrible left holder history legacy hiking hikes youre drive eliminating before biannually bf between better benefits benefit being begin been biggest becoming because became be barely bank awhile away biden bill aunt business cant cannot cancelling canceling cancel can by but buggin billing broke break boyfriend both blindly bit bills billings automatically at care adding agree after afford adicional addtional addresses additional addition added all activities acct accounts account access acceptance absurd about alarming allow as annually aren apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost card cared el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drain edge easily earlier each duplicate due ll drastically down disgusting double dont done don doesnt do divorce disgusts customer current caring cheaper combine college climbing climb city choose choice checking charging coming charges charged charge changing changes changed change cell combining company currency continues creep credit covid courtesy country costs cost continuous continue compared continually continously constantly constant consolidating connected compromised competitive living loyal location started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers son someone their second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several thats there locations we when whats what were went well weeks week way while waste was warrant wants wanted waiting wait vs where who value would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife virtue vaccine these tipped tried tracking town tooo too told today tired times trying time tight throughout through think things thing they try twice ut upcoming using uses users used use us upward upping up two until unneeded unnecessary unfortunately unfair unemployed understand unable rising risen rise nothing often offset offered offer off of now notified nonsense on nonesence non no nice next news newest needed ok once my other owner own overpriced over outside out our others original one or options option opportunity opening opened ontario oneday need must ripped loyalty married market many manservices making make made luck your maybe lower lost losing loose looking longer long lol may means multiple monetary much moving moved move more monthly month money mom medical mistake mind might merge memberships membership members member owning pagos parent rate recently recent reason really reality re rather rates raising redo raises raised raise quickly quality putting put pushed recession reduce parents respect right
Topic 31 | Coherence=-224928.00 | Top words= your you why good price and access canceling now is be luck increments am checking will the many we where for too subscription no keep not raised quality way high long paying less creep done really renewing currently constant garbage been while respect their members run more legacy worth its series popular should becoming blindly subscriptions think putting people end take increases continue fair goes going frequent gone gonna emails got gotten free given from fuel go gas give girl future games forth getting get gf financially forever fan family fact entertaining face extra entertainment extortion expensive expenses expected especially everything every even euro enough far forcing fault food focused flat fixed fix first financial finally fiance gouging few feet fees feel fee youre havent grandkids job itself it issues issue isnt isn iny intolerable into interested instead inflation increasses increasing increased increase income jacking join great joint let lesser left leave learning layoff later last laid lack kids kidding kept keeps keeping justify just in improvements im ill he having elsewhere have has hardly hard happy hand half had hacking hackednot hacked guys greedy greed health help her household if idea husband hungry huge how households house higher hosehold horrible holder history hiking hikes hike email dont else begin biased biannually bf between better benefits benefit being before biggest because became barely bank back awhile away automatically biden bill eliminating business cant cannot cancelling cancel can bye by but buggin billing budget broke break boyfriend both bit bills billings aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed card care cared death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double life don doesnt do divorce customers current caring charging combine college climbing climb city choose choice cheaper charges currency charged charge changing changes changed change cell caused combining come coming company credit covid courtesy country costs cost continuous continues continually continously constantly consolidating consider connected compromised competitive compared letting loyal like spouses stepdad stealing stay states starting started start squeeze spouse so spending spend span sorry soon son something someone stop stopped stopping stranger thank than terrible temporary temporarily taste talk taking system switching support summer success subscribers subscriber sub stupid some situation that save seen seems see secure second scaling scales saving same single rules rule rotating rising risen rise ripped right selection sense service services since significant signaling sign sight sick shoves shouldn short she sharing share shady several settled set servicio thanks thats return wants were went well weeks week waste was warrant wanted uses want waiting wait vs virtue value vaccine ut what whats when who youll yet years yearly year yall ya wouldn would workable work wont won without with willing wife using users there time town tooo told today to tired tipped times tightening used tight throughout through this things thing they these tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous retiring limit new nothing nonsense nonesence non nice next news newest never months needed need my must multiple much moving moved notified of off offer original or options option opportunity opening opened ontario only oneday one once on ok often offset offered move monthly others longer make made loyalty lower lost losing loose looking lol month locations location ll living live little limiting limited makes making manservices market money monetary moment mom mistake mind might merge memberships membership member medical means me maybe may married other our retired raise reality reactivate re rather rates rate raising raises quickly president put pushed provider profits profit profiles problem pricing reason recent recently recession
Topic 32 | Coherence=-221402.71 | Top words= of up being greedy re this begin hiking wouldn were understand keep us cared means leave prices what if out high ll that enough about only with you when spending not now price happy to and budget too for every cutting increase at work getting is days girl platform jacking im another opportunity moment back ya on unnecessary instead holder temporary account expenses death amount got country awhile expensive extortion euro gf get expected everything even extra give given go going goes especially fact gone entertainment gonna good gotten entertaining gouging end grandkids great greed face family fair feel guys financial fix fixed flat focused finally fiance few feet food fees forcing fee financially forever fault forth free frequent from fuel future far games garbage fan gas first youre hacked it justify just joint join job itself its issues increments issue isnt isn iny intolerable into interested keeping keeps kept kidding like life letting let lesser less legacy left learning layoff later last laid lack kids inflation increasses hackednot havent email higher her help health he having have increasing has hardly hard hand half had hacking hike hikes history horrible increases increased income in improvements ill idea husband hungry huge how households household house hosehold emails done elsewhere better billing bill biggest biden biased biannually bf between benefits away benefit before been becoming because became be barely billings bills bit blindly care card cant cannot cancelling canceling cancel can bye by but business buggin broke break boyfriend both bank automatically caused additional agree againlater again after afford adicional addtional addresses addition aunt adding added activities acct accounts access acceptance absurd alarming all allow allowed as aren are apps aparently anyways anymore any anticonsumer annually an amounts amercian am also already almost caring cell else declined discontinue disappointed direction different differences didnt deteriorated delivering decisions currently deal day daughter date damn dad cut customers disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont limited don doesnt customer current change choice come combining combine college climbing climb city choose checking currency cheaper charging charges charged charge changing changes changed coming company compared competitive creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limit loyal limiting span states starting started start squeeze spouses spouse spend sorry stealing soon son something someone some so situation single stay stepdad retiring success taste talk taking take system switching support summer subscriptions stop subscription subscribers subscriber sub stupid stranger stopping stopped since significant signaling run see secure second scaling scales saving save same rules sign rule rotating rising risen rise ripped right ridiculous seems seen selection sense sight sick shoves shouldn should short she sharing share shady several settled set servicio services service series temporarily terrible than wants well weeks week we way waste was warrant wanted uses want waiting wait vs virtue value vaccine ut went whats where while youll yet years yearly year yall would worth workable wont won without willing will wife why who using users thank think tired tipped times time tightening tight throughout through things used thing they these there their the thats thanks today told tooo town use upward upping upcoming until unneeded unfortunately unfair unemployed under unable two twice trying try tried tracking return retired little new nonsense nonesence non no nice next news newest never notified needed need my must multiple much moving moved nothing off resume opening outside our others other original or options option opened offer ontario oneday one once ok often offset offered move more months losing makes make made luck loyalty your lower lost loose monthly looking longer long lol locations location living live making manservices many market month money monetary mom mistake mind might merge memberships membership members member medical me maybe may married over overpriced own raises reason really reality reactivate rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits recent recently recession rectifying
Topic 33 | Coherence=-234566.47 | Top words= to and money need it prices dont you not services as go save other do use want more up have much for the don time so enough even continue continues guys keep subscriptions good why put needed some people yet squeeze try forth trying out better like just continuous price rising problem offer adding been fees really others financially of using lesser cancel discontinue right deal weeks second several hard down spend drain raise tried no cut family expenses can prefer platforms agree changes shady gonna stop end profits especially forcing games expected feel fee fault garbage gas get getting far fan fair fact expensive gf face girl extra extortion feet future fuel fix food forever focused free entertainment entertaining euro fixed first from every give financial everything finally frequent fiance few flat youre given isnt is iny intolerable into interested instead inflation increments increasses increasing increases increased increase income in improvements im isn issue if issues layoff later last laid lack kids kidding kept keeps keeping justify joint join job jacking itself its ill idea goes having has hardly happy hand half hacking hackednot hacked greedy greed great grandkids gouging gotten got gone going havent he husband health hungry huge how households household house hosehold horrible holder history hiking hikes hike higher high her help had disgusts emails becoming biannually bf between benefits benefit being begin before because cant became be barely bank back awhile away automatically biased biden biggest bill cancelling canceling bye by but business buggin budget broke break boyfriend both blindly bit bills billings billing aunt at aren alarming again after afford adicional addtional addresses additional addition added activities acct accounts account access acceptance absurd about againlater all are allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cannot card email day differences didnt deteriorated delivering declined decisions death days daughter care date damn dad cutting customers customer currently current different direction disappointed disgusting elsewhere else eliminating el edge easily earlier each duplicate due drive drastically double done doesnt divorce leave currency creep credit college climb city choose choice checking cheaper charging charges charged charge changing changed change cell caused caring cared climbing combine covid combining courtesy country costs cost continually continously constantly constant consolidating consider connected compromised competitive compared company coming come learning loyal left spouses stopped stepdad stealing stay states starting started start spouse legacy spending span sorry soon son something someone situation stopping stranger stupid sub thank than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber single since significant see scaling scales saving same run rules rule rotating risen rise ripped ridiculous return retiring retired resume resubscribe secure seems signaling seen sign sight sick shoves shouldn should short she sharing share settled set servicio service series sense selection thanks that thats while when whats what were went well week we way waste was warrant wants wanted waiting wait vs where who value wife youll years yearly year yall ya wouldn would worth workable work wont won without with willing will virtue vaccine their town too told today tired tipped times tightening tight throughout through this think things thing they these there tooo tracking ut twice uses users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two restriction restrict restart news new never my must multiple moving moved move months monthly month monetary moment mom mistake mind might newest next memberships nice ontario only oneday one once on ok often offset offered off now notified nothing nonsense nonesence non merge membership opening losing looking longer long lol locations location ll living live little limiting limited limit life letting let less loose lost members lower member medical means me maybe may married market many manservices making makes make made luck loyalty your opened opportunity respect re rates rate raising raises raised quickly quality putting pushed provider profit profiles pricing president prescription preemptively power rather reactivate por
Topic 34 | Coherence=-224948.33 | Top words= and prices greedy just many new additional starting year profit last raising increase raised charge profiles after too fees is to not rules worth charges anymore money added gotten expensive on subscriptions you up times ll customers constantly have raise nothing had set pleased monthly policies really policy pay back access willing taste support end games future fuel garbage gas get getting gf greed enough girl give given go great going entertainment gone gonna good got entertaining gouging grandkids goes family from especially expected finally fiance few expenses extortion feet extra face feel fee fault far fact fan financial everything financially forcing frequent euro fair forth forever even for first food focused flat every fixed fix free youre guys justify join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increments joint keep increasing keeping life letting let lesser less legacy left leave learning layoff later laid lack kids kidding kept keeps increasses increases hacked hikes higher high her help health he having havent email has hardly hard happy hand half hacking hackednot hike hiking increased history income in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder emails drain elsewhere else bill biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became be barely billing billings bills by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly bank awhile away addresses all alarming agree againlater again afford adicional addtional addition allowed adding activities acct accounts account acceptance absurd about allow almost automatically any aunt at as aren are apps aparently anyways anticonsumer already another annually an amounts amount amercian am also care cared caring decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts customer drive eliminating el edge easily earlier each duplicate due drastically divorce limit down double dont done don doesnt do cut currently caused choice come combining combine college climbing climb city choose checking company cheaper charging charged changing changes changed change cell coming compared current continuous currency creep credit covid courtesy country costs cost continues competitive continue continually continously constant consolidating consider connected compromised like loyal limited start stopping stopped stop stepdad stealing stay states started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub ripped temporarily the thats that thanks thank than terrible temporary talk subscriber taking take system switching summer success subscription subscribers something someone some scaling series sense selection seen seems see secure second scales so saving save same run rule rotating rising risen service services servicio settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several their there these way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs when where while who youll yet years yearly yall ya wouldn would workable work wont won without with will wife why virtue vaccine they tipped try tried tracking town tooo told today tired time ut tightening tight throughout through this think things thing trying twice two unable using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under rise right limiting newest notified nonsense nonesence non no nice next news never of needed need my must multiple much moving moved now off ridiculous opened others other original or options option opportunity opening ontario offer only oneday one once ok often offset offered move more months loose make made luck loyalty your lower lost losing looking month longer long lol locations location living live little makes making manservices market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married our out outside rather rectifying recession recently recent reason reality reactivate re rates problem rate raises quickly quality putting put pushed provider redo reduce reducing reflect
Topic 35 | Coherence=-226474.00 | Top words= price the is with service my it increase greed no worth sharing too in am good but not expensive every when will year subscription added moved nothing provider ok seems through now be who getting phone continues longer really vs isnt someone rise subscriber support already family im son sight going why what end cheaper access keeps free has connected offered thanks parents get checking increments isn cost over spouse replace canceling if overpriced luck cell business flat taking broke into becoming upping increased an was rules power about resume tight games future gf given from garbage give gas girl fuel youre frequent everything fair fact face extra extortion expenses expected even forth euro especially entertainment entertaining enough emails email fan far fault fee forever forcing for food focused fixed fix first financially financial finally few feet fees feel fiance hard go increasses issues issue iny intolerable interested instead inflation increasing how increases income improvements ill idea husband hungry its itself jacking job learning layoff later last laid lack kids kidding kept keeping keep justify just joint join huge households goes guys happy hand half had hacking hackednot hacked greedy household great grandkids gouging gotten got gonna gone else hardly have havent house hosehold horrible holder history hiking hikes hike higher high her help health he having elsewhere disappointed eliminating biggest biased biannually bf between better benefits benefit being begin before been because became barely bank back awhile biden bill automatically billing card cant cannot cancelling cancel can bye by buggin budget break boyfriend both blindly bit bills billings away aunt cared all agree againlater again after afford adicional addtional addresses additional addition adding activities acct accounts account acceptance absurd alarming allow at allowed as aren are apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian also almost care caring el discontinue direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting left disgusting customers disgusts edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt do divorce cut customer caused company come combining combine college climbing climb city choose choice charging charges charged charge changing changes changed change coming compared currently competitive current currency creep credit covid courtesy country costs continuous continue continually continously constantly constant consolidating consider compromised leave loyal legacy span states starting started start squeeze spouses spending spend sorry residence soon something some so situation single since significant stay stealing stepdad stop terrible temporary temporarily taste talk take system switching summer success subscriptions subscribers sub stupid stranger stopping stopped signaling sign sick scales save same run rule rotating rising risen ripped right ridiculous return retiring retired resubscribe restriction restrict restart saving scaling shoves second shouldn should short she share shady several settled set servicio services series sense selection seen see secure than thank that were well weeks week we way waste warrant wants wanted want waiting wait virtue value vaccine ut using went whats users where youll you yet years yearly yall ya wouldn would workable work wont won without willing wife while uses used thats town told today to tired tipped times time tightening throughout this think things thing they these there their tooo tracking use tried us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try respect reside less more never needed need must multiple much moving move months repurposing monthly month money monetary moment mom mistake mind new newest news next opened ontario only oneday one once on often offset offer off of notified nonsense nonesence non nice might merge memberships losing looking long lol locations location ll living live little limiting limited limit like life letting let lesser loose lost membership lower members member medical means me maybe may married market many manservices making makes make made loyalty your opening opportunity option raising raised raise quickly quality putting put pushed profits profit profiles problem pricing prices president prescription prefer preemptively raises rate por
Topic 36 | Coherence=-217245.90 | Top words= to with prices have other benefit climb and better continues added back cut more the no price due services high having entertainment fuel costs these rise only limiting lost household in on job has gas damn mind piracy use vaccine single access yall while trying long renewing times adding living activities join it forcing less from frequent free forth forever isnt future lesser food focused let flat letting life for legacy games left gonna gone going layoff goes go given give girl gf getting get learning leave garbage fixed fix got first like expensive expenses expected everything every limit even euro especially limited entertaining enough end little extortion extra face fees financially financial finally fiance few feet feel fact fee fault far fan family fair good gouging gotten jacking improvements joint im ill if idea just husband hungry justify huge how households keep house income itself isn increase is issue issues iny intolerable into interested instead inflation increments increasses increasing increases increased its hosehold horrible holder keeping hardly hard happy hand half had hacking hackednot hacked guys greedy greed later great grandkids last laid havent hike history keeps hiking hikes kept kidding higher lack email her help health he kids emails youre elsewhere begin biggest biden biased biannually bf between benefits being before billing been becoming because became be barely bank awhile bill billings care but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit away automatically aunt addtional all alarming agree againlater again after afford adicional addresses at additional addition acct accounts account acceptance absurd about allow allowed almost already as aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also card cared else death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date dad cutting customers customer disappointed disgusting caring drastically eliminating el edge easily earlier each duplicate drive drain disgusts live double dont done don doesnt do divorce currently current currency charging combine college climbing city choose choice checking cheaper charges creep charged charge changing changes changed change cell caused combining come coming company credit covid courtesy country cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared down loyal ll started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers son someone location scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series servicio some shoves so situation since significant signaling sign sight sick shouldn set should short she sharing share shady several settled that thats their way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when who there would youll you yet years yearly year ya wouldn worth why workable work wont won without willing will wife virtue value ut time tracking town tooo too told today tired tipped tightening using tight throughout through this think things thing they tried try twice two uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right ridiculous non off of now notified nothing not nonsense nonesence nice offered next news newest new never needed need my offer offset owner options overpriced over outside out our others original or option often opportunity opening opened ontario oneday one once ok must multiple much luck married market many manservices making makes make made loyalty moving your lower losing loose looking longer lol locations may maybe me means moved move months monthly month money monetary moment mom mistake might merge memberships membership members member medical own owning return rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying pagos residence retiring
Topic 37 | Coherence=-217946.14 | Top words= far biannually entertaining seems price increasing consider options company other prices or increases year ill you are after much has like too many your it off laid expenses reducing just can got fault eliminating unneeded when bills monthly must start need wife feet give going goes go euro even given girl entertainment gf getting get every gas especially enough games grandkids hacked guys greedy greed elsewhere great gouging gone gotten email good gonna emails end garbage everything few first flat hacking fixed family fix fan financially future financial fee finally fiance feel fees focused food for fair forcing fact face extra extortion forever forth free frequent from expensive fuel expected hackednot youre had kidding keeps keeping keep justify joint join job jacking itself its issues issue isnt isn is iny intolerable kept kids half lack live little limiting limited limit life letting let lesser less legacy left leave learning layoff later last into interested instead inflation history hiking hikes hike higher else her help health he having havent have hardly hard happy hand holder horrible hosehold im increments increasses increased increase income in improvements if house idea husband hungry huge how households household high due el card bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biased biden biggest buggin cannot cancelling canceling cancel bye by but business budget bill broke break boyfriend both blindly bit billings billing aunt at as adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cant care edge cared differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently different direction disappointed down easily earlier each duplicate ll drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting current currency creep charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining credit continually covid courtesy country costs cost continuous continues continue continously come constantly constant consolidating connected compromised competitive compared coming living loyal location stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting started squeeze spouses spouse spending spend span subscriber subscription soon temporarily the thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success sorry son there secure servicio services service series sense selection seen see second settled scaling scales saving save same run rules rule set several something sign someone some so situation single since significant signaling sight shady sick shoves shouldn should short she sharing share their these rising waste what were went well weeks week we way was where warrant wants wanted want waiting wait vs virtue whats while vaccine worth youll yet years yearly yall ya wouldn would workable who work wont won without with willing will why value ut they times tracking town tooo told today to tired tipped time try tightening tight throughout through this think things thing tried trying using up uses users used use us upward upping upcoming until twice unnecessary unfortunately unfair unemployed understand under unable two rotating risen locations not often offset offered offer of now notified nothing nonsense on nonesence non no nice next news newest new ok once needed our pagos owning owner own overpriced over outside out others one original option opportunity opening opened ontario only oneday never my parents luck may married market manservices making makes make made loyalty me lower lost losing loose looking longer long lol maybe means multiple moment moving moved move more months month money monetary mom medical mistake mind might merge memberships membership members member parent passed rise reactivate redo rectifying recession recently recent reason really reality re reflect rather rates rate raising raises raised raise quickly reduce rejoin putting restriction ripped right
Topic 38 | Coherence=-214285.89 | Top words= and up keeps service going am customer on price to income fixed cost down at just help it unable all date billing change my went as increasing hardly no quality before non less horrible retired what good barely services temporarily climbing drain scaling fee membership get another want between continously be everything every goes go fiance given gonna give girl gf expected expenses getting gone euro even got garbage gotten especially gouging entertainment grandkids great greed greedy entertaining guys enough hacked gas expensive games for financial financially few feet fees first fix flat focused hacking feel food fault far forcing future forever fan family forth fair fact free face extra frequent extortion from finally fuel hackednot high had laid kids kidding kept keeping keep justify joint join job jacking itself its issues issue isnt isn is lack last intolerable later ll living live little limiting limited limit like life letting let lesser legacy left leave learning layoff iny into half house holder history hiking hikes hike higher emails her health he having havent have has hard happy hand hosehold household interested households instead inflation increments increasses increases increased increase in improvements im ill if idea husband hungry huge how end youre email benefits billings bill biggest biden biased biannually bf better benefit away being begin been becoming because became bank back bills bit blindly both care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend awhile automatically elsewhere adding again after afford adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about againlater agree alarming allow aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian also already almost allowed cared caring caused declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cell death deal days day daughter damn dad cutting disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically locations double dont done don doesnt cut customers currently company come combining combine college climb city choose choice checking cheaper charging charges charged charge changing changes changed coming compared current competitive currency creep credit covid courtesy country costs continuous continues continue continually constantly constant consolidating consider connected compromised location loyal lol long stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry sub subscriber subscribers taste the thats that thanks thank than terrible temporary talk subscription taking take system switching support summer success subscriptions soon son something scales series sense selection seen seems see secure second saving set save same run rules rule rotating rising risen servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady their there these we while where when whats were well weeks week way why waste was warrant wants wanted waiting wait vs who wife value wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing virtue vaccine they times tracking town tooo too told today tired tipped time try tightening tight throughout through this think things thing tried trying ut upcoming using uses users used use us upward upping until twice unneeded unnecessary unfortunately unfair unemployed understand under two rise ripped right not offset offered offer off of now notified nothing nonsense ok nonesence nice next news newest new never needed often once must original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday need multiple owning made may married market many manservices making makes make luck me loyalty your lower lost losing loose looking longer maybe means much monetary moving moved move more months monthly month money moment medical mom mistake mind might merge memberships members member owner pagos ridiculous rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly putting put pushed recession redo profits residence return retiring
Topic 39 | Coherence=-216961.34 | Top words= not of for to past using hikes this paying people your greedy increase other care before few first things again take start their how also just because daughter they tracking need fan with really living even charging kids rising horrible family canceling fair every gone give get getting hackednot hacked guys gf greed girl great gonna grandkids gouging given go gotten goes going got good gas forever garbage everything far fact face extra extortion expensive expenses expected euro fee especially entertainment entertaining enough end emails email elsewhere fault feel games food future fuel from frequent free forth had forcing focused fees flat fixed fix financially financial finally fiance feet hacking youre half jacking kept keeps keeping keep justify joint join job itself hand its it issues issue isnt isn is iny kidding lack laid last live little limiting limited limit like life letting let lesser less legacy left leave learning layoff later intolerable into interested hosehold history hiking hike higher high her help health eliminating he having havent have has hardly hard happy holder house instead household inflation increments increasses increasing increases increased income in improvements im ill if idea husband hungry huge households else drain el edge biased biannually bf between better benefits benefit being begin been becoming became be barely bank back awhile away automatically biden biggest bill buggin cannot cancelling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt at as adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow an amounts amount amercian am already almost allowed cant card cared days differences didnt deteriorated delivering declined decisions death deal day direction date damn dad cutting cut customers customer currently different disappointed currency down easily earlier each duplicate due drive drastically location double discontinue dont done don doesnt do divorce disgusts disgusting current creep caring cheaper combine college climbing climb city choose choice checking charges come charged charge changing changes changed change cell caused combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared ll loyal locations started stopping stopped stop stepdad stealing stay states starting squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone talk that thanks thank than terrible temporary temporarily taste taking subscriber system switching support summer success subscriptions subscription subscribers something some the scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating risen service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled thats there ripped week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why vs wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will wait virtue these tired trying try tried town tooo too told today tipped two times time tightening tight throughout through think thing twice unable value upping vaccine ut uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand rise right lol non offered offer off now notified nothing nonsense nonesence no often nice next news newest new never needed my offset ok multiple options overpriced over outside out our others original or option on opportunity opening opened ontario only oneday one once must much owner made may married market many manservices making makes make luck me loyalty lower lost losing loose looking longer long maybe means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member own owning ridiculous rates recession recently recent reason reality reactivate re rather rate redo raising raises raised raise quickly quality putting put rectifying reduce provider respect return retiring
Topic 40 | Coherence=-225724.54 | Top words= and price increases the have we too is many subscription will change pay where different use with locations upcoming fee ridiculous anticonsumer your greed using continuous people more anymore going charges service can don saving tired be deal company playing subscribers year afford aparently one than lol games every inflation food how gas buggin often barely drive shouldn membership became focused first expensive gone expected expenses goes good extortion go extra given face give gonna got everything girl even euro especially gotten gouging grandkids entertainment entertaining great enough end greedy fact getting gf financially fix financial fixed hacked finally fiance few flat feet for forcing forever forth free frequent fees from fuel feel future fault garbage far fan family get fair guys her hackednot keeps keep justify just joint join job jacking itself its it issues issue isnt isn iny intolerable into keeping kept instead kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids interested increments hacking history hikes hike higher high email help health he having havent has hardly hard happy hand half had hiking holder increasses horrible increasing increased increase income in improvements im ill if idea husband hungry huge households household house hosehold emails youre elsewhere benefit biggest biden biased biannually bf between better benefits being automatically begin before been becoming because bank back awhile bill billing billings bills card cant cannot cancelling canceling cancel bye by but business budget broke break boyfriend both blindly bit away aunt else adding againlater again after adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow as aren are apps anyways any another annually an amounts amount amercian am also already almost allowed care cared caring death disappointed direction differences didnt deteriorated delivering declined decisions days caused day daughter date damn dad cutting cut customers discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drastically drain down double dont done limiting doesnt do customer currently current coming combining combine college climbing climb city choose choice checking cheaper charging charged charge changing changes changed cell come compared currency competitive creep credit covid courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected compromised limited loyal little spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped that system thank terrible temporary temporarily taste talk taking take switching stopping support summer success subscriptions subscriber sub stupid stranger so situation single run seems see secure second scaling scales save same rules since rule rotating rising risen rise ripped right return seen selection sense series significant signaling sign sight sick shoves should short she sharing share shady several settled set servicio services thanks thats live was what were went well weeks week way waste warrant when wants wanted want waiting wait vs virtue value whats while their would youll you yet years yearly yall ya wouldn worth who workable work wont won without willing wife why vaccine ut uses tight tooo told today to tipped times time tightening throughout users through this think things thing they these there town tracking tried try used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retiring retired resume nice now notified nothing not nonsense nonesence non no next off news newest new never needed need my must of offer resubscribe opportunity out our others other original or options option opening offered opened ontario only oneday once on ok offset multiple much moving lower market manservices making makes make made luck loyalty lost moved losing loose looking longer long location ll living married may maybe me move months monthly month money monetary moment mom mistake mind might merge memberships members member medical means outside over overpriced raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
 85%|████████▌ | 41/48 [2:41:14<42:35, 365.13s/it]
Topic 41 | Coherence=-220124.54 | Top words= subscription keep using now prices was you reason out that cheaper im kept better charge raising people if only services youre so are my charging by extra hacked someone upping this opened mistake notified duplicate today used huge stranger amounts as keeps being hacking acct on about girl give guys get gf getting entertainment hackednot given end gotten great gouging got enough good gonna grandkids gas emails gone entertaining greed going goes go greedy especially garbage everything finally fiance few feet expected fees feel fee fault far fan expenses expensive family extortion fair fact financial financially games first future face fuel from frequent free forth forever forcing euro food focused flat fixed even fix every for help had kidding justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable into keeping kids half lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid interested instead inflation increments hiking hikes hike higher high her elsewhere health he having havent have has hardly hard happy hand history holder horrible improvements increasses increasing increases increased increase income in ill hosehold idea husband hungry how households household house email down else begin biggest biden biased biannually bf between benefits benefit before billing been becoming because became be barely bank back bill billings away but card cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit awhile automatically eliminating additional agree againlater again after afford adicional addtional addresses addition all adding added activities accounts account access acceptance absurd alarming allow aunt another at aren apps aparently anyways anymore any anticonsumer annually allowed and an amount amercian am also already almost care cared caring deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue caused drain el edge easily earlier each due drive drastically live disgusting double dont done don doesnt do divorce disgusts customer currently current choose coming come combining combine college climbing climb city choice currency checking charges charged changing changes changed change cell company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected little loyal living started stopping stopped stop stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber something taste the thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions son some right saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set their there these week where when whats what were went well weeks we who way waste warrant wants wanted want waiting wait while why they would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs virtue value tipped tried tracking town tooo too told to tired times vaccine time tightening tight throughout through think things thing try trying twice two ut uses users use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous ll next of nothing not nonsense nonesence non no nice news offer newest new never needed need must multiple much off offered moved options overpriced over outside our others other original or option offset opportunity opening ontario oneday one once ok often moving move return lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married more might months monthly month money monetary moment mom mind merge may memberships membership members member medical means me maybe own owner owning rate recently recent really reality reactivate re rather rates raises rectifying raised raise quickly quality putting put pushed provider recession redo pagos residence retiring
Average topic coherence for the top words is -221183.5176321251
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.38it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.22it/s]
  6%|▌         | 3/50 [00:00<00:09,  5.17it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.17it/s]
 10%|█         | 5/50 [00:00<00:08,  5.17it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.16it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.18it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.19it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.19it/s]
 20%|██        | 10/50 [00:01<00:07,  5.21it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.18it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.18it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.19it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.21it/s]
 30%|███       | 15/50 [00:02<00:06,  5.19it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.21it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.21it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.22it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.20it/s]
 40%|████      | 20/50 [00:03<00:05,  5.20it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.20it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.18it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.22it/s]
 48%|████▊     | 24/50 [00:04<00:05,  5.19it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.20it/s]
 52%|█████▏    | 26/50 [00:05<00:04,  5.20it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.23it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.22it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.20it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.18it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.17it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.18it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.19it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.20it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.21it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.24it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.25it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.26it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.25it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.25it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.23it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.24it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.23it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.22it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.24it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.23it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.24it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.22it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.23it/s]
100%|██████████| 50/50 [00:09<00:00,  5.21it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.45it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.40it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.43it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.45it/s]
 10%|█         | 5/50 [00:00<00:06,  6.44it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.45it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.45it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.40it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.35it/s]
 20%|██        | 10/50 [00:01<00:06,  6.38it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.40it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.42it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.43it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.45it/s]
 30%|███       | 15/50 [00:02<00:05,  6.45it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.45it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.45it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.45it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.44it/s]
 40%|████      | 20/50 [00:03<00:04,  6.44it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.43it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.44it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.43it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.45it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.46it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.45it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.45it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.46it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.46it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.47it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.43it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.44it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.42it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.42it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.43it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.42it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.43it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.44it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.44it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.42it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.39it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.39it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.38it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.39it/s]
 90%|█████████ | 45/50 [00:07<00:00,  6.41it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.42it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.43it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.44it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.45it/s]
100%|██████████| 50/50 [00:07<00:00,  6.43it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.46it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.47it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.45it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.44it/s]
 10%|█         | 5/50 [00:01<00:13,  3.44it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.43it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.44it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.44it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.44it/s]
 20%|██        | 10/50 [00:02<00:11,  3.44it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.44it/s]
 24%|██▍       | 12/50 [00:03<00:11,  3.44it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.43it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.42it/s]
 30%|███       | 15/50 [00:04<00:10,  3.42it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.42it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.43it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.44it/s]
 38%|███▊      | 19/50 [00:05<00:09,  3.44it/s]
 40%|████      | 20/50 [00:05<00:08,  3.44it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.45it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.45it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.45it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.44it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.43it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.43it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.44it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.44it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.43it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.43it/s]
 62%|██████▏   | 31/50 [00:09<00:05,  3.41it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.41it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.41it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.42it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.42it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.42it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.44it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.43it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.44it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.45it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.45it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.45it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.44it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.44it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.44it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.46it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.46it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.46it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.43it/s]
100%|██████████| 50/50 [00:14<00:00,  3.44it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.69it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.66it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.66it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.66it/s]
 10%|█         | 5/50 [00:01<00:17,  2.65it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.64it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.65it/s]
 16%|█▌        | 8/50 [00:03<00:15,  2.64it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.65it/s]
 20%|██        | 10/50 [00:03<00:15,  2.65it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.65it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.64it/s]
 26%|██▌       | 13/50 [00:04<00:14,  2.63it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.63it/s]
 30%|███       | 15/50 [00:05<00:13,  2.63it/s]
 32%|███▏      | 16/50 [00:06<00:12,  2.64it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.65it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.66it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.66it/s]
 40%|████      | 20/50 [00:07<00:11,  2.66it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.66it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.66it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.66it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.66it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.66it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.66it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.64it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.64it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.64it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.64it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.65it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.66it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.65it/s]
 68%|██████▊   | 34/50 [00:12<00:06,  2.65it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.67it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.67it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.67it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.66it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.66it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.66it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.64it/s]
 84%|████████▍ | 42/50 [00:15<00:03,  2.64it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.64it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.64it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.64it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.65it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.65it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.66it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.65it/s]
100%|██████████| 50/50 [00:18<00:00,  2.65it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.75it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.75it/s]
  6%|▌         | 3/50 [00:01<00:27,  1.74it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.74it/s]
 10%|█         | 5/50 [00:02<00:25,  1.74it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.75it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.75it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.75it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.75it/s]
 20%|██        | 10/50 [00:05<00:22,  1.76it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.75it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.75it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.74it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.74it/s]
 30%|███       | 15/50 [00:08<00:20,  1.74it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.74it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.75it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.75it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.75it/s]
 40%|████      | 20/50 [00:11<00:17,  1.75it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.74it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.75it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.75it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.75it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.74it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.75it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.75it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.74it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.75it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.74it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.74it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.74it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.74it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.75it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.74it/s]
 72%|███████▏  | 36/50 [00:20<00:08,  1.75it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.75it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.75it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.74it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.74it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.74it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.74it/s]
 86%|████████▌ | 43/50 [00:24<00:04,  1.73it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.74it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.74it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.74it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.74it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.74it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.74it/s]
100%|██████████| 50/50 [00:28<00:00,  1.74it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.43it/s]
Topic 0 | Coherence=-225987.53 | Top words= too hikes price charging many newest share subscription an and for hike to getting extra service the my much life are else provider was through everything this is keeps already rising as opened am phone before people duplicate mistake second expensive connected girl by subscriptions ya in be canceling cell raising keep back hosehold new high it absurd given gouging games greedy garbage gas get greed great grandkids gotten give got good gonna gf gone going goes go future youre fuel feel fault far fan family fair fact face extortion expenses expected every even euro especially entertainment entertaining enough fee fees from feet frequent free forth forever forcing food focused flat hacked fixed fix first financially financial finally fiance few guys her hackednot hacking keeping justify just joint join job jacking itself its issues issue isnt isn iny intolerable into interested kept kidding kids less limiting limited limit like letting let lesser legacy lack left leave learning layoff later last laid instead inflation increments havent hiking higher emails help health he having have holder has hardly hard happy hand half had history horrible increasses ill increasing increases increased increase income improvements im if house idea husband hungry huge how households household end down email better billing bill biggest biden biased biannually bf between benefits awhile benefit being begin been becoming because became barely billings bills bit blindly cared care card cant cannot cancelling cancel can bye but business buggin budget broke break boyfriend both bank away caused addition againlater again after afford adicional addtional addresses additional adding automatically added activities acct accounts account access acceptance about agree alarming all allow aunt at aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian also almost allowed caring change elsewhere decisions disappointed direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce eliminating el edge easily earlier each due drive drastically drain live double dont done don doesnt do cut customer changed city company coming come combining combine college climbing climb choose currently choice checking cheaper charges charged charge changing changes compared competitive compromised consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son temporarily their thats that thanks thank than terrible temporary taste subscribers talk taking take system switching support summer success soon something right scales series sense selection seen seems see secure scaling saving servicio save same run rules rule rotating risen rise services set someone sight some so situation single since significant signaling sign sick settled shoves shouldn should short she sharing shady several there these they week where when whats what were went well weeks we who way waste warrant wants wanted want waiting wait while why thing would youll you yet years yearly year yall wouldn worth wife workable work wont won without with willing will vs virtue value today twice trying try tried tracking town tooo told tired vaccine tipped times time tightening tight throughout think things two unable under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed ripped ridiculous ll nonesence offer off of now notified nothing not nonsense non offset no nice next news never needed need must offered often moving options over outside out our others other original or option ok opportunity opening ontario only oneday one once on multiple moved return lower manservices making makes make made luck loyalty your lost married losing loose looking longer long lol locations location market may move mind more months monthly month money monetary moment mom might maybe merge memberships membership members member medical means me overpriced own owner rates recently recent reason really reality reactivate re rather rate rectifying raises raised raise quickly quality putting put pushed recession redo owning residence retiring
Topic 1 | Coherence=-227384.00 | Top words= too and many prices new fees raised not expensive worth anymore you the rules added charges just money raising services have of on times your gotten adding no rule stupid more really restriction continously increasing entertaining biannually want down price year itself its different thanks monthly increase temporarily constantly secure scaling hackednot for policies easily ll dont high prescription lol pleased second loose wife aren this fuel frequent future entertainment free from extortion games garbage good gonna end gone going enough goes go given give girl gf getting forth gas get fixed forever feet extra expenses face fact fair expected family fan far fault fee feel everything every forcing few even fiance finally financial financially first fix flat euro focused food especially got youre gouging join jacking it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increases increased job joint in justify lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping keep income improvements grandkids help he having havent email has hardly hard happy hand half had hacking hacked guys greedy greed great health her im higher ill if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes hike emails double elsewhere begin biden biased bf between better benefits benefit being before bill been becoming because became be barely bank back biggest billing away business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile automatically else additional agree againlater again after afford adicional addtional addresses addition all activities acct accounts account access acceptance absurd about alarming allow aunt another at as are apps aparently anyways any anticonsumer annually allowed an amounts amount amercian am also already almost cant card care day didnt deteriorated delivering declined decisions death deal days daughter direction date damn dad cutting cut customers customer currently differences disappointed cared drastically eliminating el edge earlier each duplicate due drive drain discontinue letting done don doesnt do divorce disgusts disgusting current currency creep charging college climbing climb city choose choice checking cheaper charged credit charge changing changes changed change cell caused caring combine combining come coming covid courtesy country costs cost continuous continues continue continually constant consolidating consider connected compromised competitive compared company let loyal life starting stranger stopping stopped stop stepdad stealing stay states started son start squeeze spouses spouse spending spend span sorry sub subscriber subscribers subscription their thats that thank than terrible temporary taste talk taking take system switching support summer success subscriptions soon something ridiculous scales servicio service series sense selection seen seems see saving someone save same run rotating rising risen rise ripped set settled several shady some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share there these they way whats what were went well weeks week we waste thing was warrant wants wanted waiting wait vs virtue when where while who youll yet years yearly yall ya wouldn would workable work wont won without with willing will why value vaccine ut twice try tried tracking town tooo told today to tired tipped time tightening tight throughout through think things trying two using unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under right return like news now notified nothing nonsense nonesence non nice next newest move never needed need my must multiple much moving off offer offered offset our others other original or options option opportunity opening opened ontario only oneday one once ok often moved months retiring longer make made luck loyalty lower lost losing looking long month locations location living live little limiting limited limit makes making manservices market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married out outside over raises recent reason reality reactivate re rather rates rate raise overpriced quickly quality putting put pushed provider profits profit recently recession rectifying
Topic 2 | Coherence=-221187.85 | Top words= price the have and increases upcoming ridiculous is change to pay we use fee locations anticonsumer where this will climb benefit stop as better customer new added me continues youll more addtional job with back due changes policy do losing agree greedy anymore no lost gouging vaccine sorry earlier oneday upping drain different disgusting break than becoming rotating barely limited willing awhile gonna great grandkids afford gotten got good gone adicional going goes go given give girl gf greed guys get has her help health he having havent addresses hardly hacked hard happy hand half had hacking hackednot getting gas away fault finally fiance few feet fees feel againlater far financially fan family fair fact face extra extortion financial again garbage forth games future fuel from frequent after free forever first forcing for food focused flat fixed fix high additional higher just kidding kept keeps keeping keep access justify joint lack join account jacking itself its it issues kids laid hike less limit like life about letting let lesser legacy last absurd acceptance left leave learning layoff later issue isnt isn households addition if idea husband hungry huge how household accounts house hosehold horrible holder history hiking hikes ill im improvements in iny intolerable into acct interested instead inflation increments increasses increasing activities increased increase income adding expensive expenses expected cared changing annually changed another cell caused caring care charged card cant cannot cancelling canceling cancel any charge charges compromised college competitive compared company coming come combining combine climbing charging amounts city choose choice an checking cheaper can bye by begin biannually bf between aren benefits at being before but been aunt because became be automatically bank biased are biden biggest anyways business buggin budget broke aparently boyfriend both apps blindly bit bills billings billing bill amount connected everything limiting drive drastically allow down double dont done don duplicate doesnt allowed divorce disgusts almost already discontinue all each consider end every even euro especially entertainment entertaining enough emails alarming email elsewhere else eliminating el edge easily disappointed direction also cost currency creep credit covid courtesy country costs continuous differences amercian continue continually continously constantly constant consolidating current currently am customers didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut youre loyal little spending stay states starting started start squeeze spouses spouse spend stepdad span soon son something someone some so situation stealing stopped thank support temporary temporarily taste talk taking take system switching summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger single since significant same seems see secure second scaling scales saving save run signaling rules rule rising risen rise ripped right return seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service terrible thanks retired warrant were went well weeks week way waste was wants whats wanted want waiting wait vs virtue value ut what when that would you yet years yearly year yall ya wouldn worth while workable work wont won without wife why who using uses users throughout told today tired tipped times time tightening tight through used think things thing they these there their thats too tooo town tracking us upward up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried retiring resume live nice of now notified nothing not nonsense nonesence non next offer news newest never needed need my must multiple off offered over opportunity out our others other original or options option opening offset opened ontario only one once on ok often much moving moved your many manservices making makes make made luck loyalty lower move loose looking longer long lol location ll living market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means outside overpriced resubscribe raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent own rent restriction
Topic 3 | Coherence=-219869.59 | Top words= the price other one my away passed already made or between activities putting into are kids choose and this have expensive you that to increase account in continually goes tipped scales direction me finally selection she subscription has owner had ridiculous mom of like what parent paying throughout your raises owning person aunt history seen far short he wants too even especially go euro fair given entertainment give girl gf everything every going get gone gonna fees entertaining feel enough good got gotten end emails gouging fee grandkids getting few expected food fiance family financial fact financially first fix face fixed extra flat focused extortion fan feet for forcing forever forth free frequent from fuel future expenses games garbage gas fault youre great just join job jacking itself its it issues issue isnt isn is iny intolerable interested instead inflation increments joint justify greed keep letting let lesser less legacy left leave learning layoff later last laid lack kidding kept keeps keeping increasses increasing increases increased high her help health having havent elsewhere hardly hard happy hand half hacking hackednot hacked guys greedy higher hike hikes hungry income improvements im ill if idea husband huge hiking how households household house hosehold horrible holder email dont else benefit bill biggest biden biased biannually bf better benefits being billings begin before been becoming because became be barely billing bills back by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly bank awhile eliminating additional agree againlater again after afford adicional addtional addresses addition all adding added acct accounts access acceptance absurd about alarming allow automatically anticonsumer at as aren apps aparently anyways anymore any another allowed annually an amounts amount amercian am also almost care cared caring days differences didnt deteriorated delivering declined decisions death deal day disappointed daughter date damn dad cutting cut customers customer different discontinue caused drastically el edge easily earlier each duplicate due drive drain disgusting down double done don doesnt do divorce disgusts currently current currency cheaper combining combine college climbing climb city choice checking charging creep charges charged charge changing changes changed change cell come coming company compared credit covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive life loyal limit started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub limited talk thats thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers son something someone save series sense seems see secure second scaling saving same some run rules rule rotating rising risen rise ripped service services servicio set so situation single since significant signaling sign sight sick shoves shouldn should sharing share shady several settled their there these week while where when whats were went well weeks we virtue way waste was warrant wanted want waiting wait who why wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vs value they today twice trying try tried tracking town tooo told tired vaccine times time tightening tight through think things thing two unable under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed right return retiring new nonsense nonesence non no nice next news newest never months needed need must multiple much moving moved move not nothing notified now original options option opportunity opening opened ontario only oneday once on ok often offset offered offer off more monthly our longer make luck loyalty lower lost losing loose looking long month lol locations location ll living live little limiting makes making manservices many money monetary moment mistake mind might merge memberships membership members member medical means maybe may married market others out retired rate recent reason really reality reactivate re rather rates raising profiles raised raise quickly quality put pushed provider profits recently recession rectifying redo
Topic 4 | Coherence=-222051.43 | Top words= to my different and in subscription will two live me use you want that with on cancel be pay where since membership mom have is restrict places family won change both anticonsumer addresses able locations outside service time ridiculous upcoming youre we going using currently increases play coming customers elsewhere spend go short fee another who summer cheaper reside extortion gf anymore amount replace your about poland acct focused sharing end trying food fix first forcing for financially fixed flat forever wanted forth free gone goes given give girl getting get gas garbage games future fuel from finally frequent financial fan fiance el entertainment entertaining enough emails email else eliminating edge few easily earlier each duplicate due drive drastically especially euro even every feet fees feel fault far good would fair fact face extra expensive expenses expected everything gonna greed got inflation isnt isn work iny intolerable into interested instead increments gotten increasses increasing increased increase income workable improvements im issue issues it its later last laid lack kids kidding kept keeps keeping keep justify just joint join job jacking itself ill if idea having worth has hardly hard happy hand half had hacking hackednot hacked guys greedy down great grandkids gouging havent he husband health hungry huge how households household house hosehold horrible holder history hiking hikes hike higher high her help drain disgusting double bf better benefits benefit being begin before been becoming because became yearly barely bank back awhile away automatically between biannually dont biased by but business buggin budget broke break boyfriend year blindly bit bills billings billing bill biggest biden aunt at as aren againlater again after afford adicional addtional youll additional addition adding added activities accounts account access acceptance absurd agree alarming all yet are apps aparently anyways any years annually an allow amounts amercian am also already almost allowed bye can yall continues day daughter date damn dad cutting cut customer current currency creep credit covid courtesy country costs cost days deal death discontinue done don doesnt do divorce disgusts learning disappointed decisions direction wouldn differences didnt deteriorated delivering declined continuous continue canceling continually charging charges charged charge changing changes changed ya cell caused caring cared care card cant cannot cancelling checking choice choose competitive continously constantly constant consolidating consider connected compromised compared city company come combining combine college climbing climb layoff letting leave sick shouldn should she share shady several settled set servicio services well series sense selection seen seems see shoves sight second sign squeeze spouses spouse spending span sorry soon son something someone some so situation single weeks significant signaling secure scaling started were respect residence repurposing rent renewing remarried rejoin reflect reducing reduce redo rectifying recession recently recent reason really restart restriction scales resubscribe saving save same run rules rule rotating rising risen rise ripped right went return retiring retired resume start starting left unfair understand under unable was twice try tried tracking town tooo too told today waste tired tipped times unemployed unfortunately tightening unnecessary wait vs virtue value vaccine ut uses users used wants us upward upping warrant up until unneeded way tight states taking system switching support success subscriptions week subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay take talk throughout taste through this think things thing they these there their the thats thanks thank than terrible temporary temporarily reality reactivate re must much moving moved move more months monthly month money monetary moment why mistake mind might merge memberships multiple need members needed offer off of now notified nothing not nonsense nonesence non no nice next news newest new never wife member rather longer lol without location ll living wont little limiting limited limit like life waiting let lesser less legacy long looking medical loose means willing maybe may married market many manservices making makes make made luck loyalty lower lost losing offered offset often president prefer preemptively power possible por popular pop politically political policy policies point pls pleased please playing platforms prescription price
Topic 5 | Coherence=-224652.89 | Top words= too now price is you your the many good be for am and luck access we canceling increments checking greed where expensive will it service prices going increases constant no greedy worth keep use vs right are anyways extra never cant later longer maybe horrible unfortunately offered often whats system anymore overpriced less ridiculous raise down waste sharing barely tight wanted gonna gone euro future games email especially garbage emails great gas get getting gf entertainment girl entertaining grandkids give given gouging fuel go gotten goes got end enough even fan from feet finally extortion guys face fiance few fees frequent fact feel fee fault far fair financial financially expenses first fix fixed flat expected everything focused food forcing every forever family forth free youre high hacked isnt join job jacking itself its issues issue isn just iny intolerable into interested instead inflation increasses joint justify increased learning life letting let lesser legacy left leave layoff keeping last laid lack kids kidding kept keeps increasing increase hackednot have else her help health he having havent has hike hardly hard happy hand half had hacking higher hikes income hungry in improvements im ill if idea husband huge hiking how households household house hosehold holder history elsewhere don eliminating benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because became bank back bill billings el but care card cannot cancelling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile away automatically addition againlater again after afford adicional addtional addresses additional adding aunt added activities acct accounts account acceptance absurd about agree alarming all allow at as aren apps aparently any anticonsumer another annually an amounts amount amercian also already almost allowed cared caring caused deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain double dont done limit doesnt do divorce disgusts customer current cell choice come combining combine college climbing climb city choose cheaper currency charging charges charged charge changing changes changed change coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised like loyal limited spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped retired support terrible temporary temporarily taste talk taking take switching summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger so situation single same seems see secure second scaling scales saving save run since rules rule rotating rising risen rise ripped return seen selection sense series significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services than thank thanks warrant what were went well weeks week way was wants users want waiting wait virtue value vaccine ut using when while who why youll yet years yearly year yall ya wouldn would workable work wont won without with willing wife uses used that through today to tired tipped times time tightening throughout this us think things thing they these there their thats told tooo town tracking upward upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try tried retiring resume limiting news notified nothing not nonsense nonesence non nice next newest off new needed need my must multiple much moving of offer resubscribe opportunity out our others other original or options option opening offset opened ontario only oneday one once on ok moved move more loose making makes make made loyalty lower lost losing looking months long lol locations location ll living live little manservices market married may monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me outside over own raises really reality reactivate re rather rates rate raising raised problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 6 | Coherence=-220819.19 | Top words= to don change need and my of got billing price married service due country money memberships date two husband at unable help month all just losing customer job no another far out moving recently hand new use reflect spend currently unneeded sight on users games garbage gas future get getting entertaining entertainment expected go gf gotten hacked guys greedy greed great end grandkids gouging enough girl good gonna gone going goes fuel given give especially forcing from fiance feet fees feel fee fault fan family fair every fact face everything extra extortion expensive few finally frequent financial free forth forever expenses euro for food even hacking focused flat fixed fix first financially hackednot her had kidding keeps keeping keep justify joint join jacking itself its it issues issue isnt isn is iny intolerable kept kids interested lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid into instead half hosehold holder history hiking hikes hike higher high email health he having havent have has hardly hard happy horrible house inflation household increments increasses increasing increases increased increase income in improvements im ill if idea hungry huge how households emails youre elsewhere else biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile biden biggest bill business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as annually aren are apps aparently anyways anymore any anticonsumer an allow amounts amount amercian am also already almost allowed cant card care death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter damn dad cutting cut customers disappointed disgusting currency drive eliminating el edge easily earlier each duplicate live drastically disgusts drain down double dont done doesnt do divorce current creep cared charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed cell caused caring combine come credit continously covid courtesy costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company little loyal living stealing subscriber sub stupid stranger stopping stopped stop stepdad stay subscription states starting started start squeeze spouses spouse spending subscribers subscriptions sorry temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer span soon rising secure servicio services series sense selection seen seems see second settled scaling scales saving save same run rules rule set several son signaling something someone some so situation single since significant sign shady sick shoves shouldn should short she sharing share there these they weeks while where when whats what were went well week why we way waste was warrant wants wanted want who wife thing wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing waiting wait vs tipped tried tracking town tooo too told today tired times virtue time tightening tight throughout through this think things try trying twice under value vaccine ut using uses used us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand rotating risen ll notified once ok often offset offered offer off now nothing oneday not nonsense nonesence non nice next news newest one only needed our parent pagos owning owner own overpriced over outside others ontario other original or options option opportunity opening opened never must rise your many manservices making makes make made luck loyalty lower may lost loose looking longer long lol locations location market maybe multiple mom much moved move more months monthly monetary moment mistake me mind might merge membership members member medical means parents passed past re redo rectifying recession recent reason really reality reactivate rather reducing rates rate raising raises raised raise quickly quality reduce rejoin pay restriction ripped
Topic 7 | Coherence=-216761.29 | Top words= of service you customer garbage subscriptions even share customers care increase rate your about few do and the also married greedy getting subscription fan after quality blindly got years why consolidating paying using terrible should get drain more death spouses disgusts holder account be down barely greed tried damn opening fact girl sharing short stepdad different loyal ya forever for food focused kids lack flat laid last later layoff fixed fix first learning leave forcing instead financial forth given give keep gf keeping keeps kept gas kidding games future fuel from frequent free financially finally interested fiance extortion expensive limit limited expenses expected everything every limiting euro especially entertainment entertaining enough end extra face like fault left legacy feet fees feel fee far life less lesser let family fair letting justify go goes her huge how households is household isn house hosehold horrible isnt history hiking hikes hike higher hungry husband idea increased into inflation increments increasses increasing increases intolerable if income in improvements im ill iny high help going issue its itself guys jacking job great grandkids gouging gotten join joint just good gonna gone hacked hackednot hacking email issues health he having havent it have had has hardly hard happy hand half emails don elsewhere begin biased biannually bf between better benefits benefit being before else been becoming because became bank back awhile away biden biggest bill billing cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both bit bills billings automatically aunt at all agree againlater again afford adicional addtional addresses additional addition adding added activities acct accounts access acceptance absurd alarming allow as allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am already almost cannot cant card direction didnt deteriorated delivering declined decisions deal days day daughter date dad cutting cut currently current currency creep differences disappointed covid discontinue eliminating el edge easily earlier each duplicate due drive drastically double dont done live doesnt divorce disgusting credit courtesy cared college climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused caring climbing combine country combining costs cost continuous continues continue continually continously constantly constant consider connected compromised competitive compared company coming come little youre living start stopping stopped stop stealing stay states starting started squeeze stupid spouse spending spend span sorry soon son something stranger sub some taste their thats that thanks thank than temporary temporarily talk subscriber taking take system switching support summer success subscribers someone so retired rules secure second scaling scales saving save same run rule seems rotating rising risen rise ripped right ridiculous return see seen situation shouldn single since significant signaling sign sight sick shoves she selection shady several settled set servicio services series sense there these they waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where thing workable youll yet yearly year yall wouldn would worth work while wont won without with willing will wife who value vaccine ut tipped tracking town tooo too told today to tired times uses time tightening tight throughout through this think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring resume ll nice now notified nothing not nonsense nonesence non no next offer news newest new never needed need my must off offered much opportunity out our others other original or options option opened offset ontario only oneday one once on ok often multiple moving resubscribe lower many manservices making makes make made luck loyalty lost may losing loose looking longer long lol locations location market maybe moved mistake move months monthly month money monetary moment mom mind me might merge memberships membership members member medical means outside over overpriced raise reality reactivate re rather rates raising raises raised quickly reason putting put pushed provider profits profit profiles problem really recent own rent restriction
Topic 8 | Coherence=-224533.67 | Top words= don using money family the my you about with states that paying want extra bill idea news for limit like it power of too not this been nonsense benefits changing much long now anymore extortion me when youre upward fair keeps how squeeze several as shoves itself pop come gone greedy greed great grandkids gouging gotten got good from gonna get gas goes fuel go given give future girl games garbage gf getting going flat frequent far fact face expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere fan fault free fee forth forever forcing food focused hacked fixed fix first financially financial finally fiance few feet fees feel guys high hackednot keep just joint join job jacking its issues issue isnt isn is iny intolerable into interested instead inflation justify keeping hacking kept limited life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding increments increasses increasing increases hike higher eliminating her help health he having havent have has hardly hard happy hand half had hikes hiking history if increased increase income in improvements im ill husband holder hungry huge households household house hosehold horrible else double el before biased biannually bf between better benefit being begin becoming biggest because became be barely bank back awhile away biden billing aunt business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically at card addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all aren and are apps aparently anyways any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cant care edge day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency down easily earlier each duplicate due drive drastically drain little disappointed dont done doesnt do divorce disgusts disgusting discontinue current creep cared charging college climbing climb city choose choice checking cheaper charges combining charged charge changes changed change cell caused caring combine coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared limiting loyal live start stopping stopped stop stepdad stealing stay starting started spouses stupid spouse spending spend span sorry soon son something stranger sub some taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers someone so living save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation should single since significant signaling sign sight sick shouldn short service she sharing share shady settled set servicio services thats their there way whats what were went well weeks week we waste while was warrant wants wanted waiting wait vs virtue where who these would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife value vaccine ut times tracking town tooo told today to tired tipped time uses tightening tight throughout through think things thing they tried try trying twice users used use us upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right ridiculous return no offset offered offer off notified nothing nonesence non nice ok next newest new never needed need must multiple often on owner or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one moving moved move lower manservices making makes make made luck loyalty your lost more losing loose looking longer lol locations location ll many market married may months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe own owning retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying pagos reside retired
Topic 9 | Coherence=-220366.63 | Top words= to your you greedy many extra the hikes charging also money fan past price subscriptions way years over few because not just almost cut need expenses per increased rent continue gotten month raise times raised once if hungry right policy extortion trying gas garbage get games getting goes gf good guys greed great grandkids gouging got gonna girl gone going fuel go given give future food from even family fair fact face expensive expected everything every euro frequent especially entertainment entertaining enough end emails email elsewhere far fault fee feel free forth forever forcing for hackednot focused flat fixed fix first financially financial finally fiance feet fees hacked having hacking jacking kept keeps keeping keep justify joint join job itself into its it issues issue isnt isn is iny kidding kids lack laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last intolerable interested had he history hiking hike higher high her help health eliminating instead havent have has hardly hard happy hand half holder horrible hosehold house inflation increments increasses increasing increases increase income in improvements im ill idea husband huge how households household else youre el aunt biased biannually bf between better benefits benefit being begin before been becoming became be barely bank back awhile away biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically at cant as againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree alarming all another aren are apps aparently anyways anymore any anticonsumer annually allow and an amounts amount amercian am already allowed cannot card edge currency different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting customers customer currently direction disappointed discontinue drain easily earlier each duplicate living due drive drastically down disgusting double dont done don doesnt do divorce disgusts current creep care credit college climbing climb city choose choice checking cheaper charges charged charge changing changes changed change cell caused caring cared combine combining come continously covid courtesy country costs cost continuous continues continually constantly coming constant consolidating consider connected compromised competitive compared company live loyal ll states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon temporarily their thats that thanks thank than terrible temporary taste subscription talk taking take system switching support summer success sorry son rotating see servicio services service series sense selection seen seems secure settled second scaling scales saving save same run rules set several something sign someone some so situation single since significant signaling sight shady sick shoves shouldn should short she sharing share there these they we when whats what were went well weeks week waste while was warrant wants wanted want waiting wait vs where who thing worth youll yet yearly year yall ya wouldn would workable why work wont won without with willing will wife virtue value vaccine tired try tried tracking town tooo too told today tipped ut time tightening tight throughout through this think things twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rule rising location nonesence offered offer off of now notified nothing nonsense non often no nice next news newest new never needed offset ok must or own overpriced outside out our others other original options on option opportunity opening opened ontario only oneday one my multiple risen loyalty married market manservices making makes make made luck lower maybe lost losing loose looking longer long lol locations may me much mom moving moved move more months monthly monetary moment mistake means mind might merge memberships membership members member medical owner owning pagos reactivate redo rectifying recession recently recent reason really reality re reducing rather rates rate raising raises quickly quality putting reduce reflect parent restriction rise
Topic 10 | Coherence=-225606.95 | Top words= has price subscription my increases in are with or other much after options far seems biannually entertaining ill company consider year it increasing an too like prices the many already up moving bf me he husband months daughter over pushed edge same since so oneday went earlier at sorry residence increased cant gone annually spouse two anyways joint son everything luck time households policies becoming who more garbage frequent got good from fuel future gonna games goes going gas go get given free girl gf getting give youre forth expensive fan family fair fact face extra extortion expenses forever expected every even euro especially entertainment enough fault fee feel fees forcing for food focused flat fixed fix gouging first financially financial finally fiance few feet gotten having grandkids great just join job jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation justify keep keeping learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept increments increasses increase hand health emails havent have hardly hard happy half her had hacking hackednot hacked guys greedy greed help high income household improvements im if idea hungry huge how house higher hosehold horrible holder history hiking hikes hike end dont email benefit billing bill biggest biden biased between better benefits being awhile begin before been because became be barely bank billings bills bit blindly care card cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both back away caring adding againlater again afford adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about agree alarming all allow aunt as aren apps aparently anymore any anticonsumer another and amounts amount amercian am also almost allowed cared caused elsewhere death direction different differences didnt deteriorated delivering declined decisions deal currently days day date damn dad cutting cut customers disappointed discontinue disgusting disgusts else eliminating el easily each duplicate due drive drastically drain down double done don doesnt do divorce customer current cell checking combining combine college climbing climb city choose choice cheaper currency charging charges charged charge changing changes changed change come coming compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected compromised life loyal limit starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spending spend span soon something stupid subscriber limited taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions someone some situation save selection seen see secure second scaling scales saving run single rules rule rotating rising risen rise ripped right sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio their there these way when whats what were well weeks week we waste value was warrant wants wanted want waiting wait vs where while why wife youll you yet years yearly yall ya wouldn would worth workable work wont won without willing will virtue vaccine they tipped tried tracking town tooo told today to tired times ut tightening tight throughout through this think things thing try trying twice unable using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under ridiculous return retiring next notified nothing not nonsense nonesence non no nice news monthly newest new never needed need must multiple moved now of off offer out our others original option opportunity opening opened ontario only one once on ok often offset offered move month overpriced longer made loyalty your lower lost losing loose looking long money lol locations location ll living live little limiting make makes making manservices monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market outside own retired raising reason really reality reactivate re rather rates rate raises profiles raised raise quickly quality putting put provider profits recent recently recession rectifying
Topic 11 | Coherence=-225533.53 | Top words= and is price increases to sharing your more with be increasing terrible money prices charges saving need can pricing greedy deal addition continuous problem of keep reality lack acceptance you change subscription many too dad why even several afford consider discontinue buggin weeks biggest sick unemployed playing customer for phone happy down face extra gas get fees fan getting gf girl give euro far given go feel goes going gone especially gonna good got gotten entertainment fault gouging grandkids great greed entertaining enough feet garbage games food fact fix fixed fair guys flat family extortion expensive expenses first expected focused financially future financial forcing finally forever forth fee fiance few frequent from everything fuel every free havent hacked its keeping justify just joint join job jacking itself it inflation issues issue isnt isn iny intolerable into interested keeps kept kidding kids limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid instead increments hackednot having hikes hike higher high her help health he emails increasses have has hardly hard hand half had hacking hiking history holder horrible increased increase income in improvements im ill if idea husband hungry huge how households household house hosehold end youre email before biannually bf between better benefits benefit being begin been biden becoming because became barely bank back awhile away biased bill elsewhere business cant cannot cancelling canceling cancel bye by but budget billing broke break boyfriend both blindly bit bills billings automatically aunt at additional alarming agree againlater again after adicional addtional addresses adding as added activities acct accounts account access absurd about all allow allowed almost aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already card care cared declined disgusting disappointed direction different differences didnt deteriorated delivering decisions currently death days day daughter date damn cutting cut disgusts divorce do doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain live double dont done don customers current caring checking combining combine college climbing climb city choose choice cheaper currency charging charged charge changing changes changed cell caused come coming company compared creep credit covid courtesy country costs cost continues continue continually continously constantly constant consolidating connected compromised competitive little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son taste the thats that thanks thank than temporary temporarily talk subscribers taking take system switching support summer success subscriptions soon something ll scales sense selection seen seems see secure second scaling save service same run rules rule rotating rising risen rise series services someone sight some so situation single since significant signaling sign shoves servicio shouldn should short she share shady settled set their there these waste whats what were went well week we way was where warrant wants wanted want waiting wait vs virtue when while they would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing will wife value vaccine ut times tried tracking town tooo told today tired tipped time using tightening tight throughout through this think things thing try trying twice two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under unable ripped right ridiculous no off now notified nothing not nonsense nonesence non nice offered next news newest new never needed my must offer offset over opportunity out our others other original or options option opening often opened ontario only oneday one once on ok multiple much moving lower market manservices making makes make made luck loyalty lost moved losing loose looking longer long lol locations location married may maybe me move months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means outside overpriced return rate recently recent reason really reactivate re rather rates raising rectifying raises raised raise quickly quality putting put pushed recession redo own residence retiring
Topic 12 | Coherence=-223716.12 | Top words= price the keep of is you not for really good increase every out year seems it when nothing added hikes getting ok lack but using are hand increases paying with selection pricing addition canceling living quality popular tired series your dont cost daughter rising servicio new por kids pagos adicional creep el spending that now higher reflect fees anyways adding keeps pay deal isnt guys months subscriber company hacked done everything enough games gone gonna euro future goes going garbage gas get especially gf go entertainment girl from give given entertaining fuel fan frequent extortion family fault fee fair feel fact feet few fiance finally face extra financial financially even first fix fixed flat focused expensive food forcing expenses far forever forth free expected youre got gotten jacking itself its issues issue isn iny intolerable into interested instead inflation increments increasses increasing increased income job join joint learning letting let lesser less legacy left leave layoff just later last laid kidding kept keeping justify in improvements im half having havent have end hardly hard happy had health hacking hackednot greedy greed great grandkids gouging he help ill household if idea husband hungry huge how households house her hosehold horrible holder history hiking hike high has down emails begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill care buggin cant cannot cancelling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings awhile away automatically addresses all alarming agree againlater again after afford addtional additional aunt activities acct accounts account access acceptance absurd about allow allowed almost already at as aren apps aparently anymore any anticonsumer another annually and an amounts amount amercian am also card cared email death direction different differences didnt deteriorated delivering declined decisions days discontinue day date damn dad cutting cut customers customer disappointed disgusting caring due elsewhere else eliminating edge easily earlier each duplicate drive disgusts drastically drain like double don doesnt do divorce currently current currency charging college climbing climb city choose choice checking cheaper charges credit charged charge changing changes changed change cell caused combine combining come coming covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared life loyal limit states stupid stranger stopping stopped stop stepdad stealing stay starting subscribers started start squeeze spouses spouse spend span sorry sub subscription limited temporarily there their thats thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success soon son something scales services service sense seen see secure second scaling saving someone save same run rules rule rotating risen rise set settled several shady some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share these they thing way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs where while who why youll yet years yearly yall ya wouldn would worth workable work wont won without willing will wife virtue vaccine things to try tried tracking town tooo too told today tipped ut times time tightening tight throughout through this think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous needed nonesence non no nice next news newest never need month my must multiple much moving moved move more nonsense notified off offer other original or options option opportunity opening opened ontario only oneday one once on often offset offered monthly money our looking make made luck loyalty lower lost losing loose longer monetary long lol locations location ll live little limiting makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market others outside return rate recently recent reason reality reactivate re rather rates raising profit raises raised raise quickly putting put pushed provider recession rectifying redo reduce
Topic 13 | Coherence=-225552.62 | Top words= you the that and subscription increase don share when prices are idea outside raising my states using about want like cant this charges or people pay charge dont cheaper because improvements differences without any acceptance got what after do increases month reality anymore virtue political signaling profits fault take offered worth keep charging options opportunity owner thank girl go gone give everything goes given every going gotten gonna even good getting euro gouging grandkids great especially entertainment greed entertaining greedy enough guys gf frequent get feet financially financial finally extra face fiance few fees gas fact feel fee far fan family fair first fix fixed flat garbage games future fuel from free expected forth forever expenses forcing expensive for extortion focused food has hacked justify joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead just keeping hackednot keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept inflation increments increasses increasing higher high her help health he having havent have emails hardly hard happy hand half had hacking hike hikes hiking hungry increased income in im ill if husband huge history how households household house hosehold horrible holder end youre email benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming became be barely bank bill billings elsewhere but card cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit back awhile away additional alarming agree againlater again afford adicional addtional addresses addition automatically adding added activities acct accounts account access absurd all allow allowed almost aunt at as aren apps aparently anyways anticonsumer another annually an amounts amount amercian am also already care cared caring death disappointed direction different didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut discontinue disgusting disgusts divorce else eliminating el edge easily earlier each duplicate due drive drastically drain down double limited done doesnt customers currently caused city company coming come combining combine college climbing climb choose current choice checking charged changing changes changed change cell compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider limit loyal limiting spouse stepdad stealing stay starting started start squeeze spouses spending stopped spend span sorry soon son something someone some stop stopping return system thanks than terrible temporary temporarily taste talk taking switching stranger support summer success subscriptions subscribers subscriber sub stupid so situation single same seems see secure second scaling scales saving save run since rules rule rotating rising risen rise ripped right seen selection sense series significant sign sight sick shoves shouldn should short she sharing shady several settled set servicio services service thats their there waste whats were went well weeks week we way was uses warrant wants wanted waiting wait vs value vaccine where while who why youll yet years yearly year yall ya wouldn would workable work wont won with willing will wife ut users these times town tooo too told today to tired tipped time used tightening tight throughout through think things thing they tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous retiring little never nonesence non no nice next news newest new needed not need must multiple much moving moved move more nonsense nothing retired one other original option opening opened ontario only oneday once notified on ok often offset offer off of now months monthly money loose make made luck loyalty your lower lost losing looking monetary longer long lol locations location ll living live makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market others our out raises recent reason really reactivate re rather rates rate raised problem raise quickly quality putting put pushed provider profit recently recession rectifying redo
Topic 14 | Coherence=-222921.39 | Top words= and is going it we increasing for up my no time are in rates customer long keeps subscriptions feel like am there have alarming loyalty at subscription only subscriber but moving on fixed income cost consolidating fiance went quality new just stop live amercian retired down had location users non poland need fee ontario set membership rising hacking too twice enough two someone adding got way kidding caring profits money using gonna games gotten gouging good future give go gone goes garbage girl given gas get getting from gf fuel fix frequent family fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining end fair fan free far forth forever forcing food focused flat great first financially financial finally few feet fees fault grandkids health greed isn job jacking itself its issues issue isnt iny increased intolerable into interested instead inflation increments increasses join joint justify keep let lesser less legacy left leave learning layoff later last laid lack kids kept keeping increases increase greedy has high her help email he having havent hardly improvements hard happy hand half hackednot hacked guys higher hike hikes hiking im ill if idea husband hungry huge how households household house hosehold horrible holder history emails youre elsewhere benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because became be barely bill billings back by card cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit bank awhile else addition againlater again after afford adicional addtional addresses additional added all activities acct accounts account access acceptance absurd about agree allow away any automatically aunt as aren apps aparently anyways anymore anticonsumer allowed another annually an amounts amount also already almost care cared caused death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting cell drive eliminating el edge easily earlier each duplicate due drastically disgusts drain double letting done don doesnt do divorce customers currently current checking combining combine college climbing climb city choose choice cheaper currency charging charges charged charge changing changes changed change come coming company compared creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consider connected compromised competitive dont loyal life spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son something some stopped stopping stranger stupid thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers sub so single thats save seen seems see secure second scaling scales saving same since run rules rule rotating risen rise ripped right selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled servicio services that the limit weeks who while where when whats what were well week virtue waste was warrant wants wanted want waiting wait why wife will willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with vs value their tightening town tooo told today to tired tipped times tight vaccine throughout through this think things thing they these tracking tried try trying ut uses used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous return retiring nice off of now notified nothing not nonsense nonesence next more news newest never needed must multiple much moved offer offered offset often over outside out our others other original or options option opportunity opening opened oneday one once ok move months resume loose makes make made luck your lower lost losing looking monthly longer lol locations ll living little limiting limited making manservices many market month monetary moment mom mistake mind might merge memberships members member medical means me maybe may married overpriced own owner raises reason really reality reactivate re rather rate raising raised owning raise quickly putting put pushed provider profit profiles recent recently recession
Topic 15 | Coherence=-222595.36 | Top words= and price keep your share me subscription raising money of not because anymore been years much on us has in too they people letting company from tracking way havent yall stealing cost how access subscribers games playing damn made profits keeps tired quickly with risen broke we tooo covid re garbage kidding disgusts climbing shady hacked less services right that greed spend flat original girl gone give free forth getting frequent going forever given fuel goes gf gas go get future financially forcing for face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email fact fair family finally food focused fixed fix first good financial fiance fan few feet fees feel fee fault far gonna hardly got jacking its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases itself job increase join let lesser legacy left leave learning layoff later last laid lack kids kept keeping justify just joint increased income gotten her health he having have else hard happy hand half had hacking hackednot guys greedy great grandkids gouging help high improvements higher im ill if idea husband hungry huge households household house hosehold horrible holder history hiking hikes hike elsewhere youre eliminating before biannually bf between better benefits benefit being begin becoming biden became be barely bank back awhile away automatically biased biggest cant buggin cancelling canceling cancel can bye by but business budget bill break boyfriend both blindly bit bills billings billing aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account acceptance absurd about agree alarming all allow are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already almost allowed cannot card el days differences didnt deteriorated delivering declined decisions death deal day direction daughter date dad cutting cut customers customer currently different disappointed care drain edge easily earlier each duplicate due drive drastically down discontinue double dont done don life do divorce disgusting current currency creep charged climb city choose choice checking cheaper charging charges charge credit changing changes changed change cell caused caring cared college combine combining come courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared coming doesnt loyal like spouses stop stepdad stay states starting started start squeeze spouse situation spending span sorry soon son something someone some stopped stopping stranger stupid thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscriber sub so single thats run see secure second scaling scales saving save same rules since rule rotating rising rise ripped ridiculous return retiring seems seen selection sense significant signaling sign sight sick shoves shouldn should short she sharing several settled set servicio service series thanks the resume waste when whats what were went well weeks week was vaccine warrant wants wanted want waiting wait vs virtue where while who why youll you yet yearly year ya wouldn would worth workable work wont won without willing will wife value ut their tightening tried town told today to tipped times time tight using throughout through this think things thing these there try trying twice two uses users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retired resubscribe limit never nonesence non no nice next news newest new needed monthly need my must multiple moving moved move more nonsense nothing notified now or options option opportunity opening opened ontario only oneday one once ok often offset offered offer off months month others long luck loyalty lower lost losing loose looking longer lol monetary locations location ll living live little limiting limited make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many other our restriction quality reality reactivate rather rates rate raises raised raise putting prescription put pushed provider profit profiles problem pricing prices really reason recent recently
Topic 16 | Coherence=-218373.93 | Top words= to and prices just profit greedy charge additional after starting profiles increase cut last back year have costs with trying high other money entertainment fuel rise expenses some save having in on gas due inflation get piracy need rising these bills looking retiring the access must recession food medical customers limiting of me bank drain climbing getting gf girl euro games garbage fair give especially great grandkids gouging gotten got good gonna gone enough going entertaining goes go given every even frequent future face family fan far fault fee feel fees feet few fiance finally financial financially fact extra everything first fix extortion expensive fixed flat focused expected for forcing forever forth free from greed youre guys it keep justify joint join job jacking itself its issues hacked issue isnt isn is iny intolerable into interested keeping keeps kept kidding limited limit like life letting let lesser less legacy left leave learning layoff later laid lack kids instead increments increasses hiking hike higher her help health he emails havent has hardly hard happy hand half had hacking hackednot hikes history increasing holder increases increased income improvements im ill if idea husband hungry huge how households household house hosehold horrible end drastically email being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely awhile biggest billing automatically but cant cannot cancelling canceling cancel can bye by business billings buggin budget broke break boyfriend both blindly bit away aunt elsewhere addition alarming agree againlater again afford adicional addtional addresses adding allow added activities acct accounts account acceptance absurd about all allowed at anticonsumer as aren are apps aparently anyways anymore any another almost annually an amounts amount amercian am also already card care cared death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting customer disappointed disgusting caring drive else eliminating el edge easily earlier each duplicate live disgusts down double dont done don doesnt do divorce currently current currency cheaper combining combine college climb city choose choice checking charging creep charges charged changing changes changed change cell caused come coming company compared credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive little loyal living stealing subscriber sub stupid stranger stopping stopped stop stepdad stay subscription states started start squeeze spouses spouse spending spend subscribers subscriptions sorry temporary there their thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer span soon ll see servicio services service series sense selection seen seems secure settled second scaling scales saving same run rules rule set several son sign something someone so situation single since significant signaling sight shady sick shoves shouldn should short she sharing share they thing things we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who think would youll you yet years yearly yall ya wouldn worth why workable work wont won without willing will wife vs virtue value today twice try tried tracking town tooo too told tired vaccine tipped times time tightening tight throughout through this two unable under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rotating risen ripped non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed my offered often owner options overpriced over outside out our others original or option ok opportunity opening opened ontario only oneday one once multiple much moving your many manservices making makes make made luck loyalty lower moved lost losing loose longer long lol locations location market married may maybe move more months monthly month monetary moment mom mistake mind might merge memberships membership members member means own owning right rates recently recent reason really reality reactivate re rather rate redo raising raises raised raise quickly quality putting put rectifying reduce pagos respect ridiculous
Topic 17 | Coherence=-213822.45 | Top words= raising prices is profiles with for year stop price issues sharing starting additional expected hikes future your last profit damn these different lost same months mind every payment double subscriptions yall emails please ridiculous twice unemployed financial out unnecessary benefits expenses cutting gf especially fuel gotten gouging from girl got free grandkids forth forever great frequent games forcing garbage good gas gonna gone going get goes go given getting give youre food focused fact face extra extortion expensive everything even euro entertainment entertaining enough end email elsewhere else fair family fan finally flat fixed fix first financially greedy fiance far few feet fees feel fee fault greed happy guys hacked keep justify just joint join job jacking itself its it issue isnt isn iny intolerable into interested instead inflation keeping keeps kept less limiting limited limit like life letting let lesser legacy kidding left leave learning layoff later laid lack kids increments increasses increasing have higher high her help health he having havent has hiking hardly hard el hand half had hacking hackednot hike history increases idea increased increase income in improvements im ill if husband holder hungry huge how households household house hosehold horrible eliminating drain edge cancelling bf between better benefit being begin before been becoming because became be barely bank back awhile away automatically aunt biannually biased biden broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill at as aren adding againlater again after afford adicional addtional addresses addition added alarming activities acct accounts account access acceptance absurd about agree all are and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed canceling cannot easily cant delivering declined decisions death deal days day daughter date dad cut customers customer currently current currency creep credit covid deteriorated didnt differences dont earlier each duplicate due drive drastically live down done direction don doesnt do divorce disgusts disgusting discontinue disappointed courtesy country costs changing choose choice checking cheaper charging charges charged charge changes climb changed change cell caused caring cared care card city climbing cost consider continuous continues continue continually continously constantly constant consolidating connected college compromised competitive compared company coming come combining combine little loyal living started stupid stranger stopping stopped stepdad stealing stay states start subscriber squeeze spouses spouse spending spend span sorry soon sub subscribers something temporarily the thats that thanks thank than terrible temporary taste subscription talk taking take system switching support summer success son someone ripped scaling series sense selection seen seems see secure second scales services saving save run rules rule rotating rising risen service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short she share shady several settled their there they way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while thing worth youll you yet years yearly ya wouldn would workable who work wont won without willing will wife why virtue value vaccine tipped tracking town tooo too told today to tired times ut time tightening tight throughout through this think things tried try trying two using uses users used use us upward upping upcoming up until unneeded unfortunately unfair understand under unable rise right ll no of now notified nothing not nonsense nonesence non nice offer next news newest new never needed need my off offered multiple opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often must much return loyalty market many manservices making makes make made luck lower may losing loose looking longer long lol locations location married maybe moving mom moved move more monthly month money monetary moment mistake me might merge memberships membership members member medical means outside over overpriced rates recently recent reason really reality reactivate re rather rate rectifying raises raised raise quickly quality putting put pushed recession redo own residence retiring
Topic 18 | Coherence=-228285.78 | Top words= subscription and the you more my why for charge to will that greed re too kids another hacked sharing fee going new with in many good loose now keep unfair access city was from intolerable even how less live checking me used fair phone increments done have your where being paying creep by offered constant hard notified stranger today options luck news get someone their sub disappointed fix so want free acct users wife raise times think fan given give extortion far girl go gf getting fault gouging goes extra entertaining family face gone gonna enough end emails got email gotten expensive feet feel frequent focused food expected expenses forcing first forever financially financial forth everything fact every fees fuel euro future games garbage finally fiance especially few entertainment flat gas fixed help grandkids is itself its it issues issue isnt isn iny increase into interested instead inflation increasses increasing increases jacking job join joint legacy left leave learning layoff later last laid lack kidding kept keeps keeping justify just increased income great hardly her else health he having havent has happy improvements hand half had hacking hackednot guys greedy high higher hike hikes im ill if idea husband hungry huge households household house hosehold horrible holder history hiking elsewhere youre eliminating been biannually bf between better benefits benefit begin before becoming biden because became be barely bank back awhile away biased biggest el budget cancelling canceling cancel can bye but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically aunt at additional agree againlater again after afford adicional addtional addresses addition as adding added activities accounts account acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost cannot cant card days differences didnt deteriorated delivering declined decisions death deal day current daughter date damn dad cutting cut customers customer different direction discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont don doesnt do divorce lesser currently currency care charges combine college climbing climb choose choice cheaper charging charged credit changing changes changed change cell caused caring cared combining come coming company covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared disgusts loyal let soon start squeeze spouses spouse spending spend span sorry son sick something some situation single since significant signaling sign started starting states stay talk taking take system switching support summer success subscriptions subscribers subscriber stupid stopping stopped stop stepdad stealing sight shoves letting risen saving save same run rules rule rotating rising rise shouldn ripped right ridiculous return retiring retired resume resubscribe scales scaling second secure should short she share shady several settled set servicio services service series sense selection seen seems see taste temporarily temporary warrant were went well weeks week we way waste wants terrible wanted waiting wait vs virtue value vaccine ut what whats when while youll yet years yearly year yall ya wouldn would worth workable work wont won without willing who using uses use tooo tired tipped time tightening tight throughout through this things thing they these there thats thanks thank than told town us tracking upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two twice trying try tried restriction restrict restart needed nonsense nonesence non no nice next newest never need our must multiple much moving moved move months monthly not nothing of off other original or option opportunity opening opened ontario only oneday one once on ok often offset offer month money monetary made lower lost losing looking longer long lol locations location ll living little limiting limited limit like life loyalty make moment makes mom mistake mind might merge memberships membership members member medical means maybe may married market manservices making others out respect put rates rate raising raises raised quickly quality putting pushed outside provider profits profit profiles problem pricing prices price rather reactivate reality
Topic 19 | Coherence=-216203.29 | Top words= price worth not increase enough increasing it raising anymore keeps don me you the currently keep used customers new just use fault hardly value while delivering continually little point agree changing get isn budget focused aren nonsense blindly from access benefits service free expensive original pleased amount quality this girl great gouging grandkids games greedy greed future guys hacked fuel gotten got garbage gas good gonna getting gf gone going goes go given give youre fixed frequent expected family fair fact face extra extortion expenses everything forth every even euro especially entertainment entertaining end fan far fee feel forever forcing for food flat hacking fix first financially financial finally fiance few feet fees hackednot her had lack kidding kept keeping justify joint join job jacking itself its issues issue isnt is iny intolerable into kids laid half last living live limiting limited limit like life letting let lesser less legacy left leave learning layoff later interested instead inflation increments history hiking hikes hike higher high email help health he having havent have has hard happy hand holder horrible hosehold ill increasses increases increased income in improvements im if house idea husband hungry huge how households household emails drastically elsewhere before biased biannually bf between better benefit being begin been biggest becoming because became be barely bank back awhile biden bill care but cant cannot cancelling canceling cancel can bye by business billing buggin broke break boyfriend both bit bills billings away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts account acceptance absurd about alarming all allow allowed as are apps aparently anyways any anticonsumer another annually and an amounts amercian am also already almost card cared else deal direction different differences didnt deteriorated declined decisions death days discontinue day daughter date damn dad cutting cut customer disappointed disgusting caring drive eliminating el edge easily earlier each duplicate due location disgusts drain down double dont done doesnt do divorce current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changes changed change cell caused combining come coming company covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared ll loyal locations lol stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription son something someone scaling series sense selection seen seems see secure second scales servicio saving save same run rules rule rotating rising services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several thats their there way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when who vaccine would youll yet years yearly year yall ya wouldn workable why work wont won without with willing will wife virtue ut these times town tooo too told today to tired tipped time tried tightening tight throughout through think things thing they tracking try using unneeded uses users us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice risen rise ripped non offered offer off of now notified nothing nonesence no often nice next news newest never needed need my offset ok multiple options overpriced over outside out our others other or option on opportunity opening opened ontario only oneday one once must much owner luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member own owning right re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raises raised raise quickly putting put redo reducing provider restart ridiculous return
Topic 20 | Coherence=-220947.25 | Top words= and extra no my subscription sharing you charge price bye anyways will increase im family sign with if it she uses ut thank talk of support recent limited college but extortion services parents longer better daughter an more other moving get once using settled hike rejoin won stopping activities summer health another climb allow history keeping how pleased replace gouging fuel gotten got good gonna gone getting gf future going goes games go given give garbage frequent gas girl from flat free even fair fact face expensive expenses expected everything every euro forth especially entertainment entertaining enough end emails email elsewhere fan far fault fee forever forcing for food focused great fixed fix first financially financial finally fiance few feet fees feel grandkids youre greed keep just joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead justify keeps greedy kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding inflation increments increasses increasing her help he having havent have else hardly hard happy hand half had hacking hackednot hacked guys high higher hikes husband increases increased income in improvements ill idea hungry hiking huge households household house hosehold horrible holder has done eliminating begin biden biased biannually bf between benefits benefit being before away been becoming because became be barely bank back biggest bill billing billings cant cannot cancelling canceling cancel can by business buggin budget broke break boyfriend both blindly bit bills awhile automatically care addition againlater again after afford adicional addtional addresses additional adding aunt added acct accounts account access acceptance absurd about agree alarming all allowed at as aren are apps aparently anymore any anticonsumer annually amounts amount amercian am also already almost card cared el deal different differences didnt deteriorated delivering declined decisions death days current day date damn dad cutting cut customers customer direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down double dont don doesnt do divorce disgusts currently currency caring cheaper come combining combine climbing city choose choice checking charging creep charges charged changing changes changed change cell caused coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limit loyal limiting squeeze stop stepdad stealing stay states starting started start spouses stranger spouse spending spend span sorry soon son something stopped stupid retiring temporarily their the thats that thanks than terrible temporary taste sub taking take system switching success subscriptions subscribers subscriber someone some so run see secure second scaling scales saving save same rules situation rule rotating rising risen rise ripped right ridiculous seems seen selection sense single since significant signaling sight sick shoves shouldn should short share shady several set servicio service series there these they way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs when where while who youll yet years yearly year yall ya wouldn would worth workable work wont without willing wife why virtue vaccine thing tipped tracking town tooo too told today to tired times users time tightening tight throughout through this think things tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired little newest nothing not nonsense nonesence non nice next news new now never needed need must multiple much moved move notified off resume opened our others original or options option opportunity opening ontario offer only oneday one on ok often offset offered months monthly month losing makes make made luck loyalty your lower lost loose money looking long lol locations location ll living live making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married out outside over raise reactivate re rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles reality really reason recently
Topic 21 | Coherence=-224133.85 | Top words= the to price no not for worth with way enough high longer be money raised long good value continues cost increases service renewing has go while but up of will currently too given what expensive amount used isnt frequent justify becoming quality anyways tired rise limiting thanks sight terrible paying think biggest barely offered save prescription is workable caused itself jacking added waste fuel from email future every girl games going gouging gotten got elsewhere gonna gone goes garbage give end gf getting get gas emails fixed free fees feel fee fault euro far fan family fair fact even face extra extortion expenses expected especially feet forth few forever forcing entertaining food focused flat everything fix first financially financial entertainment finally great fiance grandkids youre greed just join job its it issues issue isn iny intolerable into interested instead inflation increments increasses increasing increased joint keep greedy keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increase income in improvements her help health he having havent have hardly hard happy hand half had hacking hackednot hacked guys eliminating higher hike how im ill if idea husband hungry huge households hikes household house hosehold horrible holder history hiking else do el begin biased biannually bf between better benefits benefit being before bill been because became bank back awhile away automatically biden billing edge business cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills aunt at as addition againlater again after afford adicional addtional addresses additional adding aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anymore any anticonsumer another annually and an amounts amercian am also already almost allowed card care cared deal different differences didnt deteriorated delivering declined decisions death days current day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting easily earlier each duplicate due drive drastically drain down double dont done don doesnt like divorce disgusts customer currency caring cheaper combine college climbing climb city choose choice checking charging creep charges charged charge changing changes changed change cell combining come coming company credit covid courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared life loyal limit spend states starting started start squeeze spouses spouse spending span since sorry soon son something someone some so situation stay stealing stepdad stop talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping stopped single significant temporarily rule secure second scaling scales saving same run rules rotating signaling rising risen ripped right ridiculous return retiring retired see seems seen selection sign sick shoves shouldn should short she sharing share shady several settled set servicio services series sense taste temporary resubscribe wants were went well weeks week we was warrant wanted users want waiting wait vs virtue vaccine ut using whats when where who youll you yet years yearly year yall ya wouldn would work wont won without willing wife why uses use than this today tipped times time tightening tight throughout through things us thing they these there their thats that thank told tooo town tracking upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried resume restriction limited never nonsense nonesence non nice next news newest new needed months need my must multiple much moving moved move nothing notified now off original or options option opportunity opening opened ontario only oneday one once on ok often offset offer more monthly others losing makes make made luck loyalty your lower lost loose month looking lol locations location ll living live little making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married other our restrict putting re rather rates rate raising raises raise quickly put prefer pushed provider profits profit profiles problem pricing prices reactivate reality really reason
Topic 22 | Coherence=-215396.19 | Top words= price increase the for your to is not are willing pay year will am why cancel support months something since rate after ridiculous options great last can their offset increasses each was member think how tracking charge being became absurd loyal justify pls lower caused like nonesence happy wont broke keeps town nice edge better in days having gonna given go goes girl gf going getting get gas gone garbage give annually good got has hardly hard hand half had hacking hackednot hacked guys greedy greed grandkids addresses gouging gotten from games few fees feel fee fault far fan family fair fact afford face extra extortion expensive expenses expected everything feet fiance future finally fuel havent frequent free forth forever forcing addtional food focused flat fixed fix adicional first financially financial have her additional itself keep just joint join access job jacking its kept it issues issue isnt isn account iny keeping kidding he left limit life letting let lesser less legacy leave kids learning about layoff later acceptance laid lack intolerable into accounts history households household house hosehold horrible addition holder hiking interested hikes hike higher high even help health adding huge added hungry instead inflation increments acct increasing increases increased activities income improvements im ill if idea husband every entertaining euro card cannot cancelling canceling allow allowed bye by almost already but business buggin budget also break boyfriend both cant care especially cared climb city choose choice checking cheaper charging charges charged alarming changing changes changed change all cell caring blindly bit bills billings barely bank back awhile away automatically aunt at as aren and apps aparently anyways anymore any anticonsumer be an because amount billing bill amercian biggest biden biased biannually bf becoming between benefits benefit amounts begin before been climbing college combine decisions limiting dont done don doesnt do divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering double down drain else entertainment another enough end emails email elsewhere eliminating drastically el easily earlier again duplicate due drive declined death combining deal againlater continues continue continually continously constantly agree constant consolidating consider connected compromised competitive compared company coming come continuous cost costs customers day daughter date damn dad cutting cut customer country currently current currency creep credit covid courtesy limited youre little spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son someone some stop stopping thanks system than terrible temporary temporarily taste talk taking take switching stranger summer success subscriptions subscription subscribers subscriber sub stupid so situation single save seen seems see secure second scaling scales saving same significant run rules rule rotating rising risen rise ripped selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thank that return warrant were went well weeks week we way waste wants whats wanted want waiting wait vs virtue value vaccine what when thats would youll you yet years yearly yall ya wouldn worth where workable work won without with wife who while ut using uses tightening tooo too told today tired tipped times time tight users throughout through this things thing they these there tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right retiring live news of now notified nothing nonsense non no next newest offer new never needed need my must multiple much off offered overpriced opportunity outside out our others other original or option opening often opened ontario only oneday one once on ok moving moved move losing manservices making makes make made luck loyalty lost loose more looking longer long lol locations location ll living many market married may monthly month money monetary moment mom mistake mind might merge memberships membership members medical means me maybe over own retired raises reason really reality reactivate re rather rates raising raised recently raise quickly quality putting put pushed provider profits recent recession owner repurposing resume
Topic 23 | Coherence=-211833.22 | Top words= the out and of extra people prices reason up kept gonna continue go squeeze yet try so even reducing expenses more work raising months laid town off do at moment im raise nothing just temporary hikes unneeded resume any cost twice from free frequent fuel future games youre garbage gas greedy greed great grandkids gouging gotten got good gone going goes given give forth gf getting get girl fix forever family fact face extortion expensive expected everything every euro especially entertainment entertaining enough end emails email elsewhere else fair fan forcing far for food focused flat fixed hacked first financially financial finally fiance few feet fees feel fee fault guys have hackednot it keep justify joint join job jacking itself its issues inflation issue isnt isn is iny intolerable into interested keeping keeps kidding kids limiting limited limit like life letting let lesser less legacy left leave learning layoff later last lack instead increments hacking having hiking hike higher high her help health he havent increasses el has hardly hard happy hand half had history holder horrible hosehold increasing increases increased increase income in improvements ill if idea husband hungry huge how households household house eliminating drastically edge cannot biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away biased biden biggest budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically aunt as adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an are apps aparently anyways anymore anticonsumer another annually amounts all amount amercian am also already almost allowed allow cancelling cant easily card deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current currency didnt differences different double earlier each duplicate due drive live drain down dont direction done don doesnt divorce disgusts disgusting discontinue disappointed creep credit covid charge city choose choice checking cheaper charging charges charged changing climbing changes changed change cell caused caring cared care climb college courtesy consolidating country costs continuous continues continually continously constantly constant consider combine connected compromised competitive compared company coming come combining little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start spouses spouse spending spend span sorry soon stupid subscriber something talk thats that thanks thank than terrible temporarily taste taking subscribers take system switching support summer success subscriptions subscription son someone rise scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio some shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled their there these we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who they would youll you years yearly year yall ya wouldn worth why workable wont won without with willing will wife vs virtue value times tracking tooo too told today to tired tipped time vaccine tightening tight throughout through this think things thing tried trying two unable ut using uses users used use us upward upping upcoming until unnecessary unfortunately unfair unemployed understand under risen ripped ll nice offer now notified not nonsense nonesence non no next offset news newest new never needed need my must offered often much option over outside our others other original or options opportunity ok opening opened ontario only oneday one once on multiple moving right lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married moved might move monthly month money monetary mom mistake mind merge may memberships membership members member medical means me maybe overpriced own owner rate recently recent really reality reactivate re rather rates raises rectifying raised quickly quality putting put pushed provider profits recession redo owning respect ridiculous
Topic 24 | Coherence=-221223.52 | Top words= extra share you with of my charging out me because cant family for without stay grandkids youre and pay sharing now over not won greedy spending past budget happy this have outside hosehold cheaper card business declined upping unable many caring husband cutting discontinue face games go garbage gas getting given gf give girl get goes good enough going hacking hackednot hacked guys emails greed great end like limit gouging gotten got gonna gone future even fuel fiance feet fees feel fee fault far fan little euro fair fact live extortion expensive expenses expected everything few finally entertaining financial every frequent free forth entertainment forever forcing limited food especially limiting focused flat fixed fix first financially from has had life itself its it issues issue isnt isn is iny intolerable into interested instead less inflation increments increasses jacking job join kids leave learning layoff later last laid lack legacy joint kidding kept keeps keeping keep justify just increasing increases lesser having hike higher high her help health he elsewhere hiking havent letting left hardly hard hand half hikes history increased idea increase income in improvements im ill if let holder hungry huge how households household house horrible email drain else becoming between better benefits benefit being begin before been became biannually be barely bank back awhile away automatically aunt bf biased as break canceling cancel can bye by but buggin broke boyfriend biden both blindly bit bills billings billing bill biggest at aren eliminating adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cancelling cannot care days different differences didnt deteriorated delivering decisions death deal day disappointed daughter date damn dad cut customers customer currently direction disgusting cared drastically el edge easily earlier each duplicate due drive ll disgusts down double dont done don doesnt do divorce current currency creep checking combining combine college climbing climb city choose choice charges credit charged charge changing changes changed change cell caused come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive living loyal location starting stupid stranger stopping stopped stop stepdad stealing states started subscriber start squeeze spouses spouse spend span sorry soon sub subscribers something taste thats that thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions son someone their scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services some sick so situation single since significant signaling sign sight shoves servicio shouldn should short she shady several settled set the there locations waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where vaccine would youll yet years yearly year yall ya wouldn worth while workable work wont willing will wife why who value ut these times town tooo too told today to tired tipped time tried tightening tight throughout through think things thing they tracking try using until uses users used use us upward upcoming up unneeded trying unnecessary unfortunately unfair unemployed understand under two twice rise ripped right non offset offered offer off notified nothing nonsense nonesence no ok nice next news newest new never needed need often on multiple or owning owner own overpriced our others other original options once option opportunity opening opened ontario only oneday one must much ridiculous loyalty married market manservices making makes make made luck your maybe lower lost losing loose looking longer long lol may means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member pagos parent parents rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce passed respect return
Topic 25 | Coherence=-213770.69 | Top words= keep prices at only will you long subscriber no loyalty alarming the like there feel rates time customer every upping greedy opportunity amounts re by support up preemptively days hike before won canceling being next huge jacking rate not is letting addition games future getting garbage gas hackednot from get fuel gouging gf hacked got good gonna grandkids great greed frequent gone going goes go given gotten girl guys give youre free expected family fair fact face extra extortion expensive expenses everything forth even euro especially entertainment entertaining enough end emails fan far fault fee forever forcing for food focused had flat fixed fix first financially financial finally fiance few feet fees hacking higher half kidding keeps keeping justify just joint join job itself its it issues issue isnt isn iny intolerable into kept kids hand lack live little limiting limited limit life let lesser less legacy left leave learning layoff later last laid interested instead inflation increments holder history hiking hikes elsewhere high her help health he having havent have has hardly hard happy horrible hosehold house improvements increasses increasing increases increased increase income in im household ill if idea husband hungry how households email drastically else eliminating biggest biden biased biannually bf between better benefits benefit begin been becoming because became be barely bank back awhile bill billing billings but care card cant cannot cancelling cancel can bye business bills buggin budget broke break boyfriend both blindly bit away automatically aunt adding againlater again after afford adicional addtional addresses additional added all activities acct accounts account access acceptance absurd about agree allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed and an amount amercian am also already almost cared caring caused death direction different differences didnt deteriorated delivering declined decisions deal discontinue day daughter date damn dad cutting cut customers disappointed disgusting current ll el edge easily earlier each duplicate due drive drain disgusts down double dont done don doesnt do divorce currently currency cell checking combining combine college climbing climb city choose choice cheaper coming charging charges charged charge changing changes changed change come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive living loyal location start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone talk that thanks thank than terrible temporary temporarily taste taking sub take system switching summer success subscriptions subscription subscribers something some their scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled thats these locations way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while value would youll yet years yearly year yall ya wouldn worth who workable work wont without with willing wife why virtue vaccine they tipped tracking town tooo too told today to tired times try tightening tight throughout through this think things thing tried trying ut until using uses users used use us upward upcoming unneeded twice unnecessary unfortunately unfair unemployed understand under unable two risen rise ripped nonesence offered offer off of now notified nothing nonsense non often nice news newest new never needed need my offset ok multiple original own overpriced over outside out our others other or on options option opening opened ontario oneday one once must much right made may married market many manservices making makes make luck me your lower lost losing loose looking longer lol maybe means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member owner owning pagos rather rectifying recession recently recent reason really reality reactivate raising reduce raises raised raise quickly quality putting put pushed redo reducing parent restart ridiculous
Topic 26 | Coherence=-218772.92 | Top words= one need subscriptions with in dont subscription moved only we it so now have has afford two right other someone house anymore my significant boyfriend why an can stepdad households more who wife needed already aparently combine than remarried longer multiple cannot any canceling our family agree household merge don lol husband limiting hacking save girl goes everything gf given expected euro go every give even fault going gone end guys greedy greed great enough entertaining grandkids entertainment especially gouging gotten got good expenses gonna get expensive fair focused flat fixed fix first financially financial finally fiance few fan far feet fees feel food hacked getting forcing extortion fee gas garbage games future fuel from frequent free forth extra face fact forever for youre hackednot jacking keeping keep justify just joint join job itself kept its issues issue isnt isn is iny keeps kidding into legacy limit like life letting let lesser less left kids leave learning layoff later last laid lack intolerable interested had health hiking hikes hike higher high her help he holder having havent hardly hard happy hand half history horrible instead income inflation increments increasses increasing increases increased increase improvements hosehold im ill if idea hungry huge how emails double email being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing caused but cared care card cant cancelling cancel bye by business billings buggin budget broke break both blindly bit bills back awhile away adding againlater again after adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about alarming all allow allowed aunt at as aren are apps anyways anticonsumer another annually and amounts amount amercian am also almost caring cell elsewhere deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue change due else eliminating el edge easily earlier each duplicate drive disgusting drastically drain down done doesnt do divorce disgusts customer currently current choice coming come combining college climbing climb city choose checking currency cheaper charging charges charged charge changing changes changed company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected limited loyal little started stranger stopping stopped stop stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber these temporarily their the thats that thanks thank terrible temporary taste subscribers talk taking take system switching support summer success son something some scales sense selection seen seems see secure second scaling saving situation same run rules rule rotating rising risen rise series service services servicio single since signaling sign sight sick shoves shouldn should short she sharing share shady several settled set there they live was what were went well weeks week way waste warrant when wants wanted want waiting wait vs virtue value whats where thing wouldn youll you yet years yearly year yall ya would while worth workable work wont won without willing will vaccine ut using tipped tracking town tooo too told today to tired times uses time tightening tight throughout through this think things tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous return nonesence offered offer off of notified nothing not nonsense non often no nice next news newest new never must offset ok retiring original owning owner own overpriced over outside out others or on options option opportunity opening opened ontario oneday once much moving move lower manservices making makes make made luck loyalty your lost months losing loose looking long locations location ll living many market married may monthly month money monetary moment mom mistake mind might memberships membership members member medical means me maybe pagos parent parents rate recent reason really reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recently recession rectifying redo
Topic 27 | Coherence=-222976.78 | Top words= of and when with increase about extra subscription outside share you paying power like up bill being limit only greedy news leave wouldn means begin hiking cared understand money using ll were us keep what if enough that to high re prices want this issues lol subscriptions sick between off personal ripped continues having yet users some financial idea squeeze really more fees gas gf getting get entertaining games garbage entertainment especially euro even future girl emails end give from given go email elsewhere goes going gone gonna else good got fuel everything every family few fiance feel finally fee gouging financially fault first fix fixed flat far fan focused feet food for fair fact face forcing forever extortion forth expensive free frequent expenses expected gotten youre grandkids iny itself its it issue isnt isn is intolerable job into interested instead inflation increments increasses increasing jacking join increased laid less legacy left learning layoff later last lack joint kids kidding kept keeps keeping justify just increases income great happy he el havent have has hardly hard hand help half had hacking hackednot hacked guys greed health her in households improvements im ill husband hungry huge how household higher house hosehold horrible holder history hikes hike eliminating do edge becoming biased biannually bf better benefits benefit before been because biggest became be barely bank back awhile away automatically biden billing at business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills aunt as card addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cant care easily day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency double earlier each duplicate due drive drastically drain down dont disappointed done don doesnt let divorce disgusts disgusting discontinue current creep caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come credit continously covid courtesy country costs cost continuous continue continually constantly coming constant consolidating consider connected compromised competitive compared company lesser loyal letting spend stay states starting started start spouses spouse spending span significant sorry soon son something someone so situation single stealing stepdad stop stopped temporary temporarily taste talk taking take system switching support summer success subscribers subscriber sub stupid stranger stopping since signaling resubscribe rule second scaling scales saving save same run rules rotating sign rising risen rise right ridiculous return retiring retired secure see seems seen sight shoves shouldn should short she sharing shady several settled set servicio services service series sense selection terrible than thank warrant went well weeks week we way waste was wants thanks wanted waiting wait vs virtue value vaccine ut whats where while who youll years yearly year yall ya would worth workable work wont won without willing will wife why uses used use told tired tipped times time tightening tight throughout through think things thing they these there their the thats today too upward tooo upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking town resume restriction life never nonsense nonesence non no nice next newest new needed monthly need my must multiple much moving moved move not nothing notified now original or options option opportunity opening opened ontario oneday one once on ok often offset offered offer months month restrict looking made luck loyalty your lower lost losing loose longer monetary long locations location living live little limiting limited make makes making manservices moment mom mistake mind might merge memberships membership members member medical me maybe may married market many other others our quality rather rates rate raising raises raised raise quickly putting out put pushed provider profits profit profiles problem pricing reactivate reality reason
Topic 28 | Coherence=-225659.44 | Top words= of and the to price be my your back need will hike like end has that in was month months payment want selection drastically span deteriorated gone country move just since member changed different time moved money location raising current currency waste continues spend learning would rather stupid stopping rise ill financial no customer sight date situation switching else choose redo membership again workable should live her intolerable payday if entertaining get gas garbage expensive fee games gf future feel getting every fault fuel girl give enough extortion given fan go family fair goes fact going far from first frequent gonna everything financially even fix euro finally fixed flat focused food face fiance few for feet expected expenses forcing forever forth free fees especially entertainment extra youre good jacking its it issues issue isnt isn is iny into interested instead inflation increments increasses increasing increases increased itself job income join less legacy left leave layoff later last laid lack kids kidding kept keeps keeping keep justify joint increase improvements got having have hardly emails happy hand half had hacking hackednot hacked guys greedy greed great grandkids gouging gotten havent he im health idea husband hungry huge how households household house hosehold horrible holder history hiking hikes higher high help hard don email been bf between better benefits benefit being begin before becoming biased because became barely bank awhile away automatically aunt biannually biden elsewhere broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill at as aren adding againlater after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed canceling cancelling cannot deal disappointed direction differences didnt delivering declined decisions death days credit day daughter damn dad cutting cut customers currently discontinue disgusting disgusts divorce eliminating el edge easily earlier each duplicate due drive drain down double dont done let doesnt do creep covid cant charge climb city choice checking cheaper charging charges charged changing courtesy changes change cell caused caring cared care card climbing college combine combining costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come lesser loyal letting started stranger stopped stop stepdad stealing stay states starting start some squeeze spouses spouse spending sorry soon son something sub subscriber subscribers subscription their thats thanks thank than terrible temporary temporarily taste talk taking take system support summer success subscriptions someone so life run see secure second scaling scales saving save same rules single rule rotating rising risen ripped right ridiculous return seems seen sense series significant signaling sign sick shoves shouldn short she sharing share shady several settled set servicio services service there these they we when whats what were went well weeks week way thing warrant wants wanted waiting wait vs virtue value where while who why youll you yet years yearly year yall ya wouldn worth work wont won without with willing wife vaccine ut using trying tried tracking town tooo too told today tired tipped times tightening tight throughout through this think things try twice uses two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring retired resume nice off now notified nothing not nonsense nonesence non next outside news newest new never needed must multiple much offer offered offset often our others other original or options option opportunity opening opened ontario only oneday one once on ok moving more monthly make luck loyalty lower lost losing loose looking longer long lol locations ll living little limiting limited limit made makes monetary making moment mom mistake mind might merge memberships members medical means me maybe may married market many manservices out over resubscribe quickly reality reactivate re rates rate raises raised raise quality overpriced putting put pushed provider profits profit profiles problem really reason recent
Topic 29 | Coherence=-214068.10 | Top words= my for as subscription the now on to trying possible wife much through going have got left divorce courtesy get cut am reduce months multiple spending cannot has her married own don users thank feet stopped bills billings been constantly moving right next free tight unable games future fuel from frequent lesser let fixed forth forever forcing letting food focused life garbage is gas goes gouging gotten layoff good gonna gone learning go less given leave give girl gf getting legacy flat first fix euro expensive limited expenses expected everything every even limiting later especially entertainment entertaining enough end emails email extortion limit extra face financially financial finally fiance few like fees feel fee fault far fan family fair fact grandkids greed great idea income in improvements im ill job if join iny husband hungry huge joint just justify how increase increased jacking increases isn intolerable isnt into interested issue issues it its instead itself inflation increments increasses increasing households household house having kids lack hardly hard laid happy hand half had hacking last hackednot hacked guys greedy havent he keep health hosehold keeping horrible holder history hiking hikes hike higher high keeps kept help else kidding elsewhere youre eliminating becoming bf between better benefits benefit being begin before because biased became be barely bank back awhile away automatically biannually biden at buggin cancelling canceling cancel can bye by but business budget biggest broke break boyfriend both blindly bit billing bill aunt aren card adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amounts amount amercian also already almost allowed allow cant care el days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting customers customer currently different disappointed currency drain edge easily earlier each duplicate due drive drastically live discontinue down double dont done doesnt do disgusts disgusting current creep cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining credit continously covid country costs cost continuous continues continue continually constant come consolidating consider connected compromised competitive compared company coming little loyal living start stopping stop stepdad stealing stay states starting started squeeze stupid spouses spouse spend span sorry soon son something stranger sub some talk thats that thanks than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers someone so ripped scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set their there these week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why they wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing wait vs virtue tired try tried tracking town tooo too told today tipped value times time tightening throughout this think things thing twice two under understand vaccine ut using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rise ridiculous ll nonsense offset offered offer off of notified nothing not nonesence ok non no nice news newest new never needed often once must original owner overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday need moved return lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many may move mind more monthly month money monetary moment mom mistake might maybe merge memberships membership members member medical means me owning pagos parent rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parents residence retiring
Topic 30 | Coherence=-204012.33 | Top words= will when back can be got off laid resume in later done thats bank changing something broke rotating year declined week else ll ill charging card join everything business was give goes future go given girl games gf getting gone get gas emails garbage going even gonna good hand half had hacking hackednot hacked guys greedy greed elsewhere great grandkids gouging fuel email gotten forth from fees fee fault far fan family fair entertaining fact entertainment especially face extra extortion expensive expenses expected euro feel feet frequent few free every forever end enough forcing for happy focused flat fixed fix first financially financial finally fiance food youre hard just lack kids kidding kept keeps keeping keep justify joint layoff job jacking itself its it issues issue isnt last learning hardly limited long lol locations location living live little limiting limit leave like life letting let lesser less legacy left isn is iny higher house hosehold horrible holder history hiking hikes hike high intolerable her eliminating health he having havent have has household households how huge into interested instead inflation increments increasses increasing increases increased increase income improvements im if idea husband hungry help drain el becoming between better benefits benefit being begin before been because biannually became barely awhile away automatically aunt at as bf biased cant break cancelling canceling cancel bye by but buggin budget boyfriend biden both blindly bit bills billings billing bill biggest aren are apps adding again after afford adicional addtional addresses additional addition added aparently activities acct accounts account access acceptance absurd about againlater agree alarming all anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed allow cannot care edge daughter didnt deteriorated delivering decisions death deal days day date different damn dad cutting cut customers customer currently current differences direction cared down easily earlier each duplicate due drive drastically looking double disappointed dont don doesnt do divorce disgusts disgusting discontinue currency creep credit cheaper combine college climbing climb city choose choice checking charges covid charged charge changes changed change cell caused caring combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared longer loyal loose son stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry sub subscriber subscribers taste the that thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions soon someone losing some service series sense selection seen seems see secure second scaling scales saving save same run rules rule rising risen services servicio set sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their there these they whats what were went well weeks we way waste warrant wants wanted want waiting wait vs virtue value vaccine where while who would youll you yet years yearly yall ya wouldn worth why workable work wont won without with willing wife ut using uses times town tooo too told today to tired tipped time tried tightening tight throughout through this think things thing tracking try users unneeded used use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice rise ripped right pagos ok often offset offered offer of now notified nothing not nonsense nonesence non no nice next news newest new on once one other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only never needed need manservices medical means me maybe may married market many making members makes make made luck loyalty your lower lost member membership my monthly must multiple much moving moved move more months month memberships money monetary moment mom mistake mind might merge owning parent ridiculous parents recently recent reason really reality reactivate re rather rates rate raising raises raised raise quickly quality putting put pushed recession rectifying redo residence return retiring
Topic 31 | Coherence=-214865.44 | Top words= my is have was subscription to pay just so not bill it compromised an credit but that because without option charged do allowed told ill wanted bank automatically card after youre think fault keep don greedy using more increase used when fees joint amercian few good gonna especially euro gone going goes entertainment go given give girl gf getting got entertaining get gotten emails half had hacking end enough hackednot hacked guys fee greed feel great grandkids gouging even everything every fiance hand extra focused feet family flat fair fixed fix first fact face financially financial finally food for forcing far expected expenses gas garbage games expensive fuel fan extortion from frequent free forth forever future hike happy intolerable laid lack kids kidding kept keeps keeping justify join job jacking itself its issues issue isnt isn last later layoff like ll living live little limiting limited limit life learning letting let lesser less legacy left leave iny into hard interested hosehold horrible holder history hiking hikes elsewhere higher high her help health he having havent has hardly house household households income instead inflation increments increasses increasing increases increased in how improvements im if idea husband hungry huge email double else being biden biased biannually bf between better benefits benefit begin aunt before been becoming became be barely back awhile biggest billing billings bills cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit away at cared adding againlater again afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any anticonsumer another annually and amounts amount am also already almost care caring eliminating deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically drain down locations dont done doesnt divorce disgusts customer current caused checking combining combine college climbing climb city choose choice cheaper currency charging charges charge changing changes changed change cell come coming company compared creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected competitive location loyal lol ridiculous stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something someone stopped stopping stranger take thank than terrible temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub some situation single save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services thanks thats the we where whats what were went well weeks week way who waste warrant wants want waiting wait vs virtue while why vaccine wouldn youll you yet years yearly year yall ya would wife worth workable work wont won with willing will value ut their tightening town tooo too today tired tipped times time tight tried throughout through this things thing they these there tracking try uses unneeded users use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice right return long retiring offset offered offer off of now notified nothing nonsense nonesence non no nice next news newest new never needed often ok on original own overpriced over outside out our others other or once options opportunity opening opened ontario only oneday one need must multiple made may married market many manservices making makes make luck me loyalty your lower lost losing loose looking longer maybe means much moment moving moved move months monthly month money monetary mom medical mistake mind might merge memberships membership members member owner owning pagos rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits reside retired resume
Topic 32 | Coherence=-212623.92 | Top words= you to that and pay guys for from people just want they dont well doesnt make sense making resubscribe decisions time stop it are sharing at because business something increase in competitive pick drive price when market manservices shouldn down cheaper euro their currency politically extra yearly biased prefer what my justify tired frequent free fuel youre future go gotten got good gonna gone going goes given games give forth gf getting get gas garbage girl first forever every fact face extortion expensive expenses expected everything even family especially entertainment entertaining enough end emails email fair fan forcing financial food focused flat fixed fix grandkids financially finally far fiance few feet fees feel fee fault gouging have great isnt joint join job jacking itself its issues issue isn keeping is iny intolerable into interested instead inflation increments keep keeps increasing left limit like life letting let lesser less legacy leave kept learning layoff later last laid lack kids kidding increasses increases greed hardly her help health he having havent else has hard higher happy hand half had hacking hackednot hacked greedy high hike increased huge income improvements im ill if idea husband hungry how hikes households household house hosehold horrible holder history hiking elsewhere done eliminating been bf between better benefits benefit being begin before becoming as became be barely bank back awhile away automatically biannually biden biggest bill canceling cancel can bye by but buggin budget broke break boyfriend both blindly bit bills billings billing aunt aren cannot adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cancelling cant el date deteriorated delivering declined death deal days day daughter damn covid dad cutting cut customers customer currently current creep didnt differences different direction edge easily earlier each duplicate due drastically drain double limiting don do divorce disgusts disgusting discontinue disappointed credit courtesy card charge climb city choose choice checking charging charges charged changing country changes changed change cell caused caring cared care climbing college combine combining costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised compared company coming come limited loyal little spouses stepdad stealing stay states starting started start squeeze spouse stopping spending spend span sorry soon son someone some stopped stranger thanks system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub so situation single run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped right ridiculous seems seen selection series significant signaling sign sight sick shoves should short she share shady several settled set servicio services service thank thats retiring was whats were went weeks week we way waste warrant while wants wanted waiting wait vs virtue value vaccine where who the worth youll yet years year yall ya wouldn would workable why work wont won without with willing will wife ut using uses tightening tracking town tooo too told today tipped times tight users throughout through this think things thing these there tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired live next notified nothing not nonsense nonesence non no nice news of newest new never needed need must multiple much now off our ontario other original or options option opportunity opening opened only offer oneday one once on ok often offset offered moving moved move losing many makes made luck loyalty your lower lost loose more looking longer long lol locations location ll living married may maybe me months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means others out resume raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent outside rent restriction
Topic 33 | Coherence=-214474.41 | Top words= to youre extortion the me taste it cancel will again company are subscriptions have greedy its month us disgusting start time first didnt there moved let financially some hard need later pay rejoin temporarily bill wants cancelling boyfriend second stupid afford job or right increasing restart gf end girl enough get gas give given go garbage games getting everything emails goes going gone email good got elsewhere gotten gouging grandkids great greed else gonna free future fan feel fee especially fault far euro even family feet fair fact face extra expensive every expenses fees few fuel food from frequent expected forth forever forcing for focused fiance flat fixed fix entertaining entertainment financial finally guys having hacked issues keeping keep justify just joint join jacking itself issue hackednot isnt isn is iny intolerable into interested instead keeps kept kidding kids little limiting limited limit like life letting lesser less legacy left leave learning layoff last laid lack inflation increments increasses history hikes hike higher high her help health he el havent has hardly happy hand half had hacking hiking holder increases horrible increased increase income in improvements im ill if idea husband hungry huge how households household house hosehold eliminating dont edge becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased card budget cannot canceling can bye by but business buggin broke biden break both blindly bit bills billings billing biggest aunt at as adding agree againlater after adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost cant care easily date delivering declined decisions death deal days day daughter damn differences dad cutting cut customers customer currently current currency deteriorated different cared double earlier each duplicate due drive drastically drain down living direction done don doesnt do divorce disgusts discontinue disappointed creep credit covid charges climbing climb city choose choice checking cheaper charging charged courtesy charge changing changes changed change cell caused caring college combine combining come country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared coming live loyal ll spouses stop stepdad stealing stay states starting started squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger situation taking thats that thanks thank than terrible temporary talk take sub system switching support summer success subscription subscribers subscriber so single these same seen seems see secure scaling scales saving save run sense rules rule rotating rising risen rise ripped ridiculous selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services their they location week where when whats what were went well weeks we who way waste was warrant wanted want waiting wait while why virtue wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing vs value thing tired try tried tracking town tooo too told today tipped twice times tightening tight throughout through this think things trying two vaccine upcoming ut using uses users used use upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under return retiring retired non off of now notified nothing not nonsense nonesence no offered nice next news newest new never needed my offer offset multiple opportunity outside out our others other original options option opening often opened ontario only oneday one once on ok must much resume your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may moving mistake move more months monthly money monetary moment mom mind maybe might merge memberships membership members member medical means over overpriced own raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason owner rent resubscribe
Topic 34 | Coherence=-218386.45 | Top words= increase not pay but it card subscription that after too is charged what be way do automatically ill am should afford high to bank my bill wanted half much willing allowed told this was can option because keep horrible paying day customer waiting until own the without currency so done flat just repurposing got especially gas get hacked getting gf guys girl emails give end given greedy greed entertaining entertainment go enough goes great grandkids gouging going gone games gotten gonna good garbage family euro few first extra financially financial finally fiance face feet fixed fees fact feel fee fault fair far fix focused even frequent future fuel every from fan expected expenses free food forth expensive forever extortion forcing for hackednot everything youre hacking instead kept keeps keeping justify joint join job jacking itself its issues issue isnt isn iny intolerable into kidding kids lack lesser limiting limited limit like life letting let less laid legacy left leave learning layoff later last interested inflation had increments hiking hikes hike higher elsewhere her help health he having havent have has hardly hard happy hand history holder hosehold im increasses increasing increases increased income in improvements if house idea husband hungry huge how households household email don else being biden biased biannually bf between better benefits benefit begin eliminating before been becoming became barely back awhile away biggest billing billings bills care cant cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly bit aunt at as alarming againlater again adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all aren allow are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost cared caring caused disappointed different differences didnt deteriorated delivering declined decisions death deal days daughter date damn dad cutting cut customers direction discontinue current disgusting el edge easily earlier each duplicate due drive drastically drain down double dont live doesnt divorce disgusts currently creep cell coming combining combine college climbing climb city choose choice checking cheaper charging charges charge changing changes changed change come company credit compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive little loyal living spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some situation stealing stop since support temporary temporarily taste talk taking take system switching summer stopped success subscriptions subscribers subscriber sub stupid stranger stopping single significant retired rules secure second scaling scales saving save same run rule seems rotating rising risen rise ripped right ridiculous return see seen signaling share sign sight sick shoves shouldn short she sharing shady selection several settled set servicio services service series sense terrible than thank waste when whats were went well weeks week we warrant while wants want wait vs virtue value vaccine ut where who thanks wouldn youll you yet years yearly year yall ya would why worth workable work wont won with will wife using uses users throughout tooo today tired tipped times time tightening tight through used think things thing they these there their thats town tracking tried try use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retiring resume ll next now notified nothing nonsense nonesence non no nice news off newest new never needed need must multiple moving of offer move opened our others other original or options opportunity opening ontario offered only oneday one once on ok often offset moved more resubscribe lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married months might monthly month money monetary moment mom mistake mind merge may memberships membership members member medical means me maybe out outside over raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason overpriced renewing restriction
Topic 35 | Coherence=-217271.09 | Top words= me for good you if not only are bye email the consider to fact will again makes give forever issue never rectifying that reactivate come this back it months no subscriptions want sharing its been charging raised run respect legacy members system workable rates new under restart charge lack hungry changes bills opportunity got given going goes greedy fuel greed future gotten games gone from gouging garbage go gas get getting great gf girl grandkids gonna youre fixed frequent fan fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails family far free fault forth forcing food focused flat hacked fix first financially financial finally fiance few feet fees feel fee guys health hackednot increasses justify just joint join job jacking itself issues isnt isn is iny intolerable into interested instead inflation keep keeping keeps left limit like life letting let lesser less leave kept learning layoff later last laid kids kidding increments increasing hacking increases hike higher high her help else he having havent have has hardly hard happy hand half had hikes hiking history idea increased increase income in improvements im ill husband holder huge how households household house hosehold horrible elsewhere drain eliminating before biannually bf between better benefits benefit being begin becoming biden because became be barely bank awhile away automatically biased biggest at buggin cannot cancelling canceling cancel can by but business budget bill broke break boyfriend both blindly bit billings billing aunt as el adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cant card care deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue cared limiting edge easily earlier each duplicate due drive drastically down disgusting double dont done don doesnt do divorce disgusts customer currently current checking combining combine college climbing climb city choose choice cheaper currency charges charged changing changed change cell caused caring coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected compromised limited loyal little start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid there talk thats thanks thank than terrible temporary temporarily taste taking sub take switching support summer success subscription subscribers subscriber something someone some scaling series sense selection seen seems see secure second scales so saving save same rules rule rotating rising risen service services servicio set situation single since significant signaling sign sight sick shoves shouldn should short she share shady several settled their these ripped way whats what were went well weeks week we waste where was warrant wants wanted waiting wait vs virtue when while they would youll yet years yearly year yall ya wouldn worth who work wont won without with willing wife why value vaccine ut tipped tried tracking town tooo too told today tired times using time tightening tight throughout through think things thing try trying twice two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable rise right live nice off of now notified nothing nonsense nonesence non next offered news newest needed need my must multiple much offer offset own options over outside out our others other original or option often opening opened ontario oneday one once on ok moving moved move losing making make made luck loyalty your lower lost loose more looking longer long lol locations location ll living manservices many market married monthly month money monetary moment mom mistake mind might merge memberships membership member medical means maybe may overpriced owner ridiculous raise reason really reality re rather rate raising raises quickly recently quality putting put pushed provider profits profit profiles recent recession owning reside return
Topic 36 | Coherence=-221134.65 | Top words= for me extra my charge greedy are disgusting company it pay its different taste prices family you but going keep about have bill subscriptions is and re much worth expensive when anyways no upward unfortunately raising college kidding daughter declined getting to increased keeping currency maybe profits iny thanks rising fair risen every euro even goes go given give gonna girl gf fact get gas gone fiance good games got especially gotten gouging grandkids entertainment great greed entertaining enough guys end garbage future few fuel expenses feet finally financial hacked fees feel financially first fix fee fixed expected fault flat far food everything extortion forcing forever forth free face frequent from fan focused youre hackednot itself kept keeps justify just joint join job jacking issues hacking issue isnt isn intolerable into interested instead inflation kids lack laid last live little limiting limited limit like life letting let lesser less legacy left leave learning layoff later increments increasses increasing hiking hike higher high her help health he having email havent has hardly hard happy hand half had hikes history increases holder increase income in improvements im ill if idea husband hungry huge how households household house hosehold horrible emails drain elsewhere been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden cant budget cancelling canceling cancel can bye by business buggin broke biggest break boyfriend both blindly bit bills billings billing automatically aunt at addition againlater again after afford adicional addtional addresses additional adding as added activities acct accounts account access acceptance absurd agree alarming all allow aren apps aparently anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cannot card else days direction differences didnt deteriorated delivering decisions death deal day discontinue date damn dad cutting cut customers customer currently disappointed disgusts care drive eliminating el edge easily earlier each duplicate due drastically divorce ll down double dont done don doesnt do current creep credit charges climbing climb city choose choice checking cheaper charging charged covid changing changes changed change cell caused caring cared combine combining come coming courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared living loyal location started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something talk the thats that thank than terrible temporary temporarily taking subscriber take system switching support summer success subscription subscribers son someone there second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their these ripped way whats what were went well weeks week we waste while was warrant wants wanted want waiting wait vs where who value would youll yet years yearly year yall ya wouldn workable why work wont won without with willing will wife virtue vaccine they times tracking town tooo too told today tired tipped time try tightening tight throughout through this think things thing tried trying ut up using uses users used use us upping upcoming until twice unneeded unnecessary unfair unemployed understand under unable two rise right locations nonsense offered offer off of now notified nothing not nonesence often non nice next news newest new never needed offset ok must options over outside out our others other original or option on opportunity opening opened ontario only oneday one once need multiple own loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member overpriced owner ridiculous rates recession recently recent reason really reality reactivate rather rate redo raises raised raise quickly quality putting put pushed rectifying reduce profit respect return retiring
Topic 37 | Coherence=-226266.52 | Top words= prices better services other raising people your youre im gonna kept reason out charging now so using are charge cheaper if was keep only for that it subscription you to others expensive compared customer switching money offer into success put benefit stop some lesser far climb increasing added moving company give given greedy guys gotten go gf getting get emails gas girl greed goes enough great going gone entertainment grandkids good gouging end entertaining got extortion especially feel expected financial finally fiance few feet fees fee financially fault expenses fan family fair fact face everything first euro free garbage games future fuel from frequent extra forth every forever forcing focused flat fixed even fix food has hacked keeps justify just joint join job jacking itself its issues issue isnt isn is iny intolerable interested instead keeping kidding increments kids limiting limited limit like life letting let less legacy left leave learning layoff later last laid lack inflation increasses hackednot hikes higher high her help health he having havent have elsewhere hardly hard happy hand half had hacking hike hiking increases history increased increase income in improvements ill idea husband hungry huge how households household house hosehold horrible holder email drain else becoming biannually bf between benefits being begin before been because biden became be barely bank back awhile away automatically biased biggest at budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt as cannot addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cancelling cant eliminating death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting currently drastically el edge easily earlier each duplicate due drive live disgusts down double dont done don doesnt do divorce customers current card charged combine college climbing city choose choice checking charges changing come changes changed change cell caused caring cared care combining coming currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised little loyal living starting stupid stranger stopping stopped stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers son terrible these there their the thats thanks thank than temporary subscriptions temporarily taste talk taking take system support summer soon something ll scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series servicio someone shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled they thing things week where when whats what were went well weeks we who way waste warrant wants wanted want waiting wait while why think would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs virtue value today trying try tried tracking town tooo too told tired vaccine tipped times time tightening tight throughout through this twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise ripped right next notified nothing not nonsense nonesence non no nice news off newest new never needed need my must multiple of offered owner opportunity overpriced over outside our original or options option opening offset opened ontario oneday one once on ok often much moved move lower many manservices making makes make made luck loyalty lost more losing loose looking longer long lol locations location market married may maybe months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me own owning ridiculous rates recession recently recent really reality reactivate re rather rate redo raises raised raise quickly quality putting pushed provider rectifying reduce pagos respect return
Topic 38 | Coherence=-214578.50 | Top words= back be will break taking on we and just subscription ll for bit money getting using platform another saving time of business is payday awhile take divorce own accounts ill combining spending married next im summer cutting repurposing might constantly monetary over soon instead through layoff provider come feet subscriptions constant fuel every cut girl get give gf goes given go garbage going gone gonna good got gotten gouging grandkids great greed greedy gas youre games expensive far fan family fair fact face extra extortion expenses fee expected everything even euro especially entertainment entertaining enough fault feel future focused from frequent free forth forever forcing hacked food flat fees fixed fix first financially financial finally fiance few guys havent hackednot keeps keep justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested keeping kept increments kidding limited limit like life letting let lesser less legacy left leave learning later last laid lack kids inflation increasses hacking hiking hike higher high her help health he having emails have has hardly hard happy hand half had hikes history increasing holder increases increased increase income in improvements if idea husband hungry huge how households household house hosehold horrible end down email begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank away automatically biden bill elsewhere by card cant cannot cancelling canceling cancel can bye but billing buggin budget broke boyfriend both blindly bills billings aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed care cared caring declined discontinue disappointed direction different differences didnt deteriorated delivering decisions customer death deal days day daughter date damn dad disgusting disgusts do doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain little double dont done don customers currently caused cheaper combine college climbing climb city choose choice checking charging current charges charged charge changing changes changed change cell coming company compared competitive currency creep credit covid courtesy country costs cost continuous continues continue continually continously consolidating consider connected compromised limiting loyal live started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spend span sorry son something stranger sub some terrible there their the thats that thanks thank than temporary subscriber temporarily taste talk system switching support success subscribers someone so living scales sense selection seen seems see secure second scaling save service same run rules rule rotating rising risen rise series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set these they thing week where when whats what were went well weeks way who waste was warrant wants wanted want waiting wait while why things wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing vs virtue value today trying try tried tracking town tooo too told to vaccine tired tipped times tightening tight throughout this think twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped right ridiculous no off now notified nothing not nonsense nonesence non nice offered news newest new never needed need my must offer offset owner option outside out our others other original or options opportunity often opening opened ontario only oneday one once ok multiple much moving lower manservices making makes make made luck loyalty your lost moved losing loose looking longer long lol locations location many market may maybe move more months monthly month moment mom mistake mind merge memberships membership members member medical means me overpriced owning return rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying pagos residence retiring
Topic 39 | Coherence=-235052.67 | Top words= it the you can this in time not my just up lost afford life nice shoves choice face pop iny especially forcing subscriber make keeping at have use so as months price more currently expensive is worth moved anymore your me many by subscription but with to last see using now job start again apps other increasing will interested being think never hardly willing everything rise raising future limiting customers fuel from youre games garbage grandkids gouging gotten got good gonna gone going goes go given frequent girl gf getting get gas give financial free forth fan family fair fact extra extortion expenses expected every even euro entertainment entertaining enough end far fault fee fix forever for food focused flat fixed first feel financially finally fiance few feet fees great hike greed intolerable jacking itself its issues issue isnt isn into greedy instead inflation increments increasses increases increased increase join joint justify keep let lesser less legacy left leave learning layoff later laid lack kids kidding kept keeps income improvements im high help health he having havent has hard happy hand half had hacking hackednot hacked guys her higher ill email if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes emails don elsewhere begin biden biased biannually bf between better benefits benefit before bill been becoming because became be barely bank back biggest billing caring business care card cant cannot cancelling canceling cancel bye buggin billings budget broke break boyfriend both blindly bit bills awhile away automatically adding agree againlater after adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about alarming all allow allowed aren are aparently anyways any anticonsumer another annually and an amounts amount amercian am also already almost cared caused else death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting cell drive eliminating el edge easily earlier each duplicate due drastically disgusts drain down double dont done doesnt do divorce customer current currency checking come combining combine college climbing climb city choose cheaper creep charging charges charged charge changing changes changed change coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised letting loyal like spouse stepdad stealing stay states starting started squeeze spouses spending single spend span sorry soon son something someone some stop stopped stopping stranger than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers sub stupid situation since thanks run seems secure second scaling scales saving save same rules significant rule rotating rising risen ripped right ridiculous return seen selection sense series signaling sign sight sick shouldn should short she sharing share shady several settled set servicio services service thank that limit waste what were went well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue whats when where while youll yet years yearly year yall ya wouldn would workable work wont won without wife why who value ut thats tightening town tooo too told today tired tipped times tight uses throughout through things thing they these there their tracking tried try trying users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring retired resume non offered offer off of notified nothing nonsense nonesence no moving next news newest new needed need must multiple offset often ok on over outside out our others original or options option opportunity opening opened ontario only oneday one once much move resubscribe longer makes made luck loyalty lower losing loose looking long monthly lol locations location ll living live little limited making manservices market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may overpriced own owner raised really reality reactivate re rather rates rate raises raise owning quickly quality putting put pushed provider profits profit reason recent recently
Topic 40 | Coherence=-218659.22 | Top words= to is your you it charge going when not for me ut worth thank re uses she daughter sign bye in college good the cant about anymore amount afford was times started thanks this caused president inflation biden with subscriber by be allow moved who son anyways make few forcing caring were choice increasing ontario opportunity kids get getting guys greedy gas garbage hacked games greed gonna great grandkids gf girl given go goes gouging gotten gone got give youre future fuel family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails fan far fault fixed from frequent free forth forever food focused flat fix fee first financially financial finally fiance feet fees feel hackednot her hacking increments keep justify just joint join job jacking itself its issues issue isnt isn iny intolerable into interested keeping keeps kept legacy limit like life letting let lesser less left kidding leave learning layoff later last laid lack instead increasses had increases hikes hike higher high elsewhere help health he having havent have has hardly hard happy hand half hiking history holder idea increased increase income improvements im ill if husband horrible hungry huge how households household house hosehold email do else begin biased biannually bf between better benefits benefit being before cared been becoming because became barely bank back awhile biggest bill billing billings card cannot cancelling canceling cancel can but business buggin budget broke break boyfriend both blindly bit bills away automatically aunt alarming againlater again after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd agree all at allowed as aren are apps aparently any anticonsumer another annually and an amounts amercian am also already almost care cell eliminating decisions disappointed direction different differences didnt deteriorated delivering declined death change deal days day date damn dad cutting cut discontinue disgusting disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt limiting customers customer currently competitive company coming come combining combine climbing climb city choose checking cheaper charging charges charged changing changes changed compared compromised current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider limited loyal little span states starting start squeeze spouses spouse spending spend sorry stealing soon something someone some so situation single since stay stepdad terrible summer temporarily taste talk taking take system switching support success stop subscriptions subscription subscribers sub stupid stranger stopping stopped significant signaling sight rotating scaling scales saving save same run rules rule rising sick risen rise ripped right ridiculous return retiring retired second secure see seems shoves shouldn should short sharing share shady several settled set servicio services service series sense selection seen temporary than resubscribe wants went well weeks week we way waste warrant wanted whats want waiting wait vs virtue value vaccine using what where that would youll yet years yearly year yall ya wouldn workable while work wont won without willing will wife why users used use throughout too told today tired tipped time tightening tight through us think things thing they these there their thats tooo town tracking tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try resume restriction live news notified nothing nonsense nonesence non no nice next newest of new never needed need my must multiple much now off outside opened our others other original or options option opening only offer oneday one once on ok often offset offered moving move more losing manservices making makes made luck loyalty lower lost loose months looking longer long lol locations location ll living many market married may monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe out over restrict quality rather rates rate raising raises raised raise quickly putting reality put pushed provider profits profit profiles problem pricing reactivate really overpriced remarried restart
Topic 41 | Coherence=-231127.63 | Top words= to do you need dont other the use services are your just not as for prices money and this take it save enough raising of higher thing much rates so than who want same before guys others why again care good put price forth paying things needed start elsewhere business first constantly continues go cost warrant bills right eliminating monthly often prefer platforms about living squeeze second bye girl given gf games goes going garbage getting gone gonna future fuel gas get give youre from frequent fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining far fault fee fix free forever forcing food focused flat fixed gotten feel financially financial finally fiance few feet fees got has gouging intolerable itself its issues issue isnt isn is iny into income interested instead inflation increments increasses increasing increases increased jacking job join joint less legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping keep justify increase in grandkids happy health he having havent have emails hardly hard hand improvements half had hacking hackednot hacked greedy greed great help her high hike im ill if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes end don email begin biased biannually bf between better benefits benefit being been automatically becoming because became be barely bank back awhile biden biggest bill billing cant cannot cancelling canceling cancel can by but buggin budget broke break boyfriend both blindly bit billings away aunt cared addition agree againlater after afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost card caring else deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically drain down double done let doesnt divorce disgusts customer current caused cheaper combine college climbing climb city choose choice checking charging currency charges charged charge changing changes changed change cell combining come coming company creep credit covid courtesy country costs continuous continue continually continously constant consolidating consider connected compromised competitive compared lesser loyal letting started stopping stopped stop stepdad stealing stay states starting spouses some spouse spending spend span sorry soon son something stranger stupid sub subscriber that thanks thank terrible temporary temporarily taste talk taking system switching support summer success subscriptions subscription subscribers someone situation retired run selection seen seems see secure scaling scales saving rules single rule rotating rising risen rise ripped ridiculous return sense series service servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thats their there we when whats what were went well weeks week way these waste was wants wanted waiting wait vs virtue where while wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value vaccine ut trying tried tracking town tooo too told today tired tipped times time tightening tight throughout through think they try twice using two uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable retiring resume life never nonesence non no nice next news newest new my moment must multiple moving moved move more months month nonsense nothing notified now or options option opportunity opening opened ontario only oneday one once on ok offset offered offer off monetary mom resubscribe lol loyalty lower lost losing loose looking longer long locations mistake location ll live little limiting limited limit like luck made make makes mind might merge memberships membership members member medical means me maybe may married market many manservices making original our out raise really reality reactivate re rather rate raises raised quickly outside quality putting pushed provider profits profit profiles problem reason recent recently
 88%|████████▊ | 42/48 [2:47:44<37:15, 372.62s/it]
Topic 42 | Coherence=-219141.60 | Top words= once the raised to tried shady offer fact used almost budget cancel like money also you few is have pay come dont in ill that will for this back try months price and tight return household tightening againlater only wait single limiting may use losing enough weeks future same flat focused food legacy fixed forcing forever forth free fix frequent from fuel less it garbage games financially leave gotten got good gonna gone left going goes go given give girl gf getting get gas first finally lesser expensive expected everything every even euro limit limited especially entertainment entertaining end emails email elsewhere else expenses extortion financial extra grandkids fiance let feet fees feel fee fault far fan family fair letting life face gouging greed great keep increased increase income just improvements im justify if hosehold idea husband hungry huge how households keeping increases increasing increasses increments issues issue isnt isn itself jacking iny intolerable job join into interested joint instead inflation house keeps its happy he having havent learning has hardly hard hand kept half had hacking hackednot hacked guys greedy health help layoff her horrible kidding kids holder history hiking hikes lack hike laid last higher later high el eliminating youre edge begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank awhile biden bill automatically business cant cannot cancelling canceling can bye by but buggin billing broke break boyfriend both blindly bit bills billings away aunt easily adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at anticonsumer as aren are apps aparently anyways anymore any another allow annually an amounts amount amercian am already allowed card care cared daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different caring double earlier each duplicate due drive drastically drain down little direction don doesnt do divorce disgusts disgusting discontinue disappointed currency creep credit charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed change cell caused combine combining coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared done loyal live spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped than support temporary temporarily taste talk taking take system switching summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger so situation since run seems see secure second scaling scales saving save rules significant rule rotating rising risen rise ripped right ridiculous seen selection sense series signaling sign sight sick shoves shouldn should short she sharing share several settled set servicio services service terrible thank retired way when whats what were went well week we waste while was warrant wants wanted want waiting vs virtue where who thanks would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife value vaccine ut throughout tooo too told today tired tipped times time through using think things thing they these there their thats town tracking trying twice uses users us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retiring resume living next notified nothing not nonsense nonesence non no nice news of newest new never needed need my must multiple now off over opportunity out our others other original or options option opening offered opened ontario oneday one on ok often offset much moving moved lower manservices making makes make made luck loyalty your lost move loose looking longer long lol locations location ll many market married maybe more monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me outside overpriced resubscribe raise reality reactivate re rather rates rate raising raises quickly reason quality putting put pushed provider profits profit profiles really recent own rent restriction
Average topic coherence for the top words is -220525.62516826508
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.19it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.18it/s]
  6%|▌         | 3/50 [00:00<00:09,  5.18it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.17it/s]
 10%|█         | 5/50 [00:00<00:08,  5.16it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.13it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.19it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.18it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.17it/s]
 20%|██        | 10/50 [00:01<00:07,  5.20it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.19it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.20it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.19it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.19it/s]
 30%|███       | 15/50 [00:02<00:06,  5.19it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.19it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.17it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.18it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.18it/s]
 40%|████      | 20/50 [00:03<00:05,  5.17it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.19it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.19it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.17it/s]
 48%|████▊     | 24/50 [00:04<00:05,  5.17it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.15it/s]
 52%|█████▏    | 26/50 [00:05<00:04,  5.15it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.15it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.14it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.16it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.16it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.16it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.14it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.13it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.15it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.16it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.16it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.17it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.16it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.16it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.16it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.15it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.16it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.14it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.15it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.15it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.15it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.16it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.16it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.15it/s]
100%|██████████| 50/50 [00:09<00:00,  5.16it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.29it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.20it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.17it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.15it/s]
 10%|█         | 5/50 [00:00<00:07,  6.17it/s]
 12%|█▏        | 6/50 [00:00<00:07,  6.21it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.19it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.19it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.19it/s]
 20%|██        | 10/50 [00:01<00:06,  6.22it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.18it/s]
 24%|██▍       | 12/50 [00:01<00:06,  6.21it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.24it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.26it/s]
 30%|███       | 15/50 [00:02<00:05,  6.28it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.30it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.29it/s]
 36%|███▌      | 18/50 [00:02<00:05,  6.32it/s]
 38%|███▊      | 19/50 [00:03<00:04,  6.30it/s]
 40%|████      | 20/50 [00:03<00:04,  6.31it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.30it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.29it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.29it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.29it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.29it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.30it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.29it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.29it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.30it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.30it/s]
 62%|██████▏   | 31/50 [00:04<00:03,  6.30it/s]
 64%|██████▍   | 32/50 [00:05<00:02,  6.31it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.30it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.30it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.30it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.31it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.30it/s]
 76%|███████▌  | 38/50 [00:06<00:01,  6.30it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.31it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.33it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.33it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.33it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.27it/s]
 88%|████████▊ | 44/50 [00:07<00:00,  6.23it/s]
 90%|█████████ | 45/50 [00:07<00:00,  6.24it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.24it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.24it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.26it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.28it/s]
100%|██████████| 50/50 [00:07<00:00,  6.27it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.41it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.45it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.43it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.42it/s]
 10%|█         | 5/50 [00:01<00:13,  3.42it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.42it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.41it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.41it/s]
 18%|█▊        | 9/50 [00:02<00:12,  3.41it/s]
 20%|██        | 10/50 [00:02<00:11,  3.41it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.40it/s]
 24%|██▍       | 12/50 [00:03<00:11,  3.42it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.42it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.41it/s]
 30%|███       | 15/50 [00:04<00:10,  3.42it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.43it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.42it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.44it/s]
 38%|███▊      | 19/50 [00:05<00:09,  3.43it/s]
 40%|████      | 20/50 [00:05<00:08,  3.43it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.43it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.43it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.43it/s]
 48%|████▊     | 24/50 [00:07<00:07,  3.44it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.45it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.46it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.46it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.46it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.45it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.45it/s]
 62%|██████▏   | 31/50 [00:09<00:05,  3.43it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.39it/s]
 66%|██████▌   | 33/50 [00:09<00:05,  3.39it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.41it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.43it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.43it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.44it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.44it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.43it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.43it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.43it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.42it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.44it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.45it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.45it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.44it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.43it/s]
 96%|█████████▌| 48/50 [00:14<00:00,  3.42it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.43it/s]
100%|██████████| 50/50 [00:14<00:00,  3.43it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.60it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.60it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.62it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.61it/s]
 10%|█         | 5/50 [00:01<00:17,  2.61it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.61it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.62it/s]
 16%|█▌        | 8/50 [00:03<00:16,  2.62it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.61it/s]
 20%|██        | 10/50 [00:03<00:15,  2.62it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.62it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.62it/s]
 26%|██▌       | 13/50 [00:04<00:14,  2.61it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.61it/s]
 30%|███       | 15/50 [00:05<00:13,  2.60it/s]
 32%|███▏      | 16/50 [00:06<00:13,  2.60it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.61it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.61it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.61it/s]
 40%|████      | 20/50 [00:07<00:11,  2.61it/s]
 42%|████▏     | 21/50 [00:08<00:11,  2.61it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.61it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.62it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.62it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.62it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.62it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.61it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.61it/s]
 58%|█████▊    | 29/50 [00:11<00:08,  2.62it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.61it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.62it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.61it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.61it/s]
 68%|██████▊   | 34/50 [00:13<00:06,  2.61it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.61it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.62it/s]
 74%|███████▍  | 37/50 [00:14<00:04,  2.62it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.62it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.62it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.62it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.60it/s]
 84%|████████▍ | 42/50 [00:16<00:03,  2.61it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.61it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.61it/s]
 90%|█████████ | 45/50 [00:17<00:01,  2.61it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.61it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.62it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.61it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.61it/s]
100%|██████████| 50/50 [00:19<00:00,  2.61it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.76it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.74it/s]
  6%|▌         | 3/50 [00:01<00:27,  1.73it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.74it/s]
 10%|█         | 5/50 [00:02<00:25,  1.74it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.73it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.73it/s]
 16%|█▌        | 8/50 [00:04<00:24,  1.73it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.73it/s]
 20%|██        | 10/50 [00:05<00:23,  1.74it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.73it/s]
 24%|██▍       | 12/50 [00:06<00:22,  1.72it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.72it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.73it/s]
 30%|███       | 15/50 [00:08<00:20,  1.73it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.73it/s]
 34%|███▍      | 17/50 [00:09<00:19,  1.73it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.73it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.74it/s]
 40%|████      | 20/50 [00:11<00:17,  1.73it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.73it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.73it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.73it/s]
 48%|████▊     | 24/50 [00:13<00:15,  1.73it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.73it/s]
 52%|█████▏    | 26/50 [00:15<00:13,  1.73it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.73it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.73it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.73it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.73it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.73it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.73it/s]
 66%|██████▌   | 33/50 [00:19<00:09,  1.73it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.73it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.74it/s]
 72%|███████▏  | 36/50 [00:20<00:08,  1.74it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.74it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.74it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.72it/s]
 80%|████████  | 40/50 [00:23<00:05,  1.73it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.73it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.73it/s]
 86%|████████▌ | 43/50 [00:24<00:04,  1.73it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.73it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.73it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.73it/s]
 94%|█████████▍| 47/50 [00:27<00:01,  1.73it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.73it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.73it/s]
100%|██████████| 50/50 [00:28<00:00,  1.73it/s]

100%|██████████| 50/50 [00:00<00:00, 1389.01it/s]
Topic 0 | Coherence=-227081.37 | Top words= you for to and your charge re going my me that not sign thank daughter uses she in extra anyways college ut bye sharing when good want no charging kids people pay more another just live guys they even stop intolerable unfair city from something subscriptions because how fair family got allow what now profits cant kidding caring declined paying care cheaper today continue so raise high charges changing gone expensive expected expenses extortion goes everything fee gonna every financial gotten gouging grandkids finally euro great especially entertainment greed entertaining enough go given face future focused food fault forcing fixed greedy forever far fan forth free frequent fix fuel first flat financially feel fees games feet garbage fact gas get few getting gf girl give fiance youre hacked increasing join job jacking itself its it issues issue isnt isn is iny into interested instead inflation increments joint justify keep leave life letting let lesser less legacy left learning keeping layoff later last laid lack kept keeps increasses increases hackednot increased higher her help health he having havent have emails has hardly hard happy hand half had hacking hike hikes hiking husband increase income improvements im ill if idea hungry history huge households household house hosehold horrible holder end don email been bf between better benefits benefit being begin before becoming cancelling became be barely bank back awhile away automatically biannually biased biden biggest cancel can by but business buggin budget broke break boyfriend both blindly bit bills billings billing bill aunt at as againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again agree aren alarming are apps aparently anymore any anticonsumer annually an amounts amount amercian am also already almost allowed all canceling cannot elsewhere delivering disgusting discontinue disappointed direction different differences didnt deteriorated decisions card death deal days day date damn dad cutting disgusts divorce do doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done limit cut customers customer competitive company coming come combining combine climbing climb choose choice checking charged changes changed change cell caused cared compared compromised currently connected current currency creep credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider like loyal limited spouses stepdad stealing stay states starting started start squeeze spouse stopping spending spend span sorry soon son someone some stopped stranger retired take thanks than terrible temporary temporarily taste talk taking system stupid switching support summer success subscription subscribers subscriber sub situation single since rules secure second scaling scales saving save same run rule significant rotating rising risen rise ripped right ridiculous return see seems seen selection signaling sight sick shoves shouldn should short share shady several settled set servicio services service series sense thats the their we while where whats were went well weeks week way value waste was warrant wants wanted waiting wait vs who why wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine there time tracking town tooo too told tired tipped times tightening using tight throughout through this think things thing these tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unemployed understand under unable two retiring resume limiting newest notified nothing nonsense nonesence non nice next news new off never needed need must multiple much moving moved of offer resubscribe opened others other original or options option opportunity opening ontario offered only oneday one once on ok often offset move months monthly loose makes make made luck loyalty lower lost losing looking month longer long lol locations location ll living little making manservices many market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married our out outside raised really reality reactivate rather rates rate raising raises quickly prices quality putting put pushed provider profit profiles problem reason recent recently recession
Topic 1 | Coherence=-228678.83 | Top words= you your greedy money many extra to hikes share way years not over subscriptions fan few also past because of price prices raising are too stop gotten times or without every improvements differences any out pay year raised is better activities service please months summer cutting unnecessary tired health hungry absurd expenses in getting fuel future greed great games grandkids gouging garbage gf good gonna gas gone going get goes go given give girl got youre from fault family fair fact face extortion expensive expected everything even euro especially entertainment entertaining enough end emails email far fee frequent feel free forth forever forcing for food focused flat fixed guys first financially financial finally fiance feet fees fix havent hacked keeping justify just joint join job jacking itself its it issues issue isnt isn iny intolerable into interested keep keeps hackednot kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding instead inflation increments increasses hike higher high her help he having else have has hardly hard happy hand half had hacking hiking history holder if increasing increases increased increase income im ill idea horrible husband huge how households household house hosehold elsewhere double eliminating el bill biggest biden biased biannually bf between benefits benefit being begin before been becoming became be barely bank back billing billings bills by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly awhile away automatically additional agree againlater again after afford adicional addtional addresses addition all adding added acct accounts account access acceptance about alarming allow aunt another at as aren apps aparently anyways anymore anticonsumer annually allowed and an amounts amount amercian am already almost care cared caring days different didnt deteriorated delivering declined decisions death deal day disappointed daughter date damn dad cut customers customer currently direction discontinue currency drain edge easily earlier each duplicate due drive drastically down disgusting limited dont done don doesnt do divorce disgusts current creep caused cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared limit loyal limiting spouses stepdad stealing stay states starting started start squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger thats taking thanks thank than terrible temporary temporarily taste talk take stupid system switching support success subscription subscribers subscriber sub some so situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series services since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio that the little was what were went well weeks week we waste warrant when wants wanted want waiting wait vs virtue value whats where their workable youll yet yearly yall ya wouldn would worth work while wont won with willing will wife why who vaccine ut using tight tracking town tooo told today tipped time tightening throughout uses through this think things thing they these there tried try trying twice users used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under unable two right ridiculous return newest nothing nonsense nonesence non no nice next news new now never needed need my must multiple much moving notified off retiring ontario others other original options option opportunity opening opened only offer oneday one once on ok often offset offered moved move more loose makes make made luck loyalty lower lost losing looking monthly longer long lol locations location ll living live making manservices market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may our outside overpriced rates recently recent reason really reality reactivate re rather rate profit raises raise quickly quality putting put pushed provider recession rectifying redo reduce
Topic 2 | Coherence=-223732.94 | Top words= to the want you not it that good and if this only me are again fact of consider back will bye email forever rectifying give reactivate makes issue come my never months country different moved be location changed currency current extortion moving spend raised out stupid several another notified anymore saving just letting charge great hackednot hacked guys greedy games garbage gas get greed go getting goes gouging gf girl gotten got gonna gone given going grandkids youre future fuel fee fault far fan family fair face extra expensive expenses expected everything every even euro especially entertainment feel fees feet hacking from frequent free forth forcing for food flat few fixed fix first financially financial finally fiance focused high had keeps keep justify joint join job jacking itself its issues isnt isn is iny intolerable into interested instead keeping kept half kidding limited limit like life let lesser less legacy left leave learning layoff later last laid lack kids inflation increments increasses increasing hiking hikes hike higher enough her help health he having havent have has hardly hard happy hand history holder horrible ill increases increased increase income in improvements im idea hosehold husband hungry huge how households household house entertaining drastically end being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank awhile biggest billing care business cant cannot cancelling canceling cancel can by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt adding againlater after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow as aren apps aparently anyways any anticonsumer annually an amounts amount amercian am also already almost allowed card cared emails declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions divorce death deal days day daughter date damn dad disgusts do caring duplicate elsewhere else eliminating el edge easily earlier each due doesnt drive little drain down double dont done don cutting cut customers checking combining combine college climbing climb city choose choice cheaper customer charging charges charged changing changes change cell caused coming company compared competitive currently creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating connected compromised limiting loyal live states sub stranger stopping stopped stop stepdad stealing stay starting subscribers started start squeeze spouses spouse spending span sorry subscriber subscription son temporarily there their thats thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success soon something living second service series sense selection seen seems see secure scaling servicio scales save same run rules rule rotating rising services set someone sight some so situation single since significant signaling sign sick settled shoves shouldn should short she sharing share shady these they thing we when whats what were went well weeks week way while waste was warrant wants wanted waiting wait vs where who things would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife virtue value vaccine today trying try tried tracking town tooo too told tired ut tipped times time tightening tight throughout through think twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand risen rise ripped nonesence often offset offered offer off now nothing nonsense non on no nice next news newest new needed need ok once parent other owning owner own overpriced over outside our others original one or options option opportunity opening opened ontario oneday must multiple much lower many manservices making make made luck loyalty your lost move losing loose looking longer long lol locations ll market married may maybe more monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means pagos parents right rates recession recently recent reason really reality re rather rate reduce raising raises raise quickly quality putting put pushed redo reducing passed restart ridiculous
Topic 3 | Coherence=-216028.95 | Top words= and your are making it resubscribe decisions doesnt well sense business at make when that dont away passed guys more time account multiple why you had subscriptions cannot access up less she paying the have mom get creep luck increments done good checking my constant users now in parent billings owning stopped our another house person set any earlier cut me longer great goes gas greedy garbage greed gouging grandkids getting going gotten gf got girl games give given gone go gonna youre future feel fault far fan family fair fact face extra extortion expensive expenses expected everything every even euro especially fee fees fuel feet from frequent free forth forever forcing for food flat fixed fix first financially financial finally fiance few focused her hacked inflation justify just joint join job jacking itself its issues issue isnt isn is iny intolerable into interested keep keeping keeps leave like life letting let lesser legacy left learning kept layoff later last laid lack kids kidding instead increasses hackednot increasing hikes hike higher high entertaining help health he having havent has hardly hard happy hand half hacking hiking history holder if increases increased increase income improvements im ill idea horrible husband hungry huge how households household hosehold entertainment drain enough benefit biggest biden biased biannually bf between better benefits being back begin before been becoming because became be barely bill billing bills bit care card cant cancelling canceling cancel can bye by but buggin budget broke break boyfriend both blindly bank awhile caring additional agree againlater again after afford adicional addtional addresses addition automatically adding added activities acct accounts acceptance absurd about alarming all allow allowed aunt as aren apps aparently anyways anymore anticonsumer annually an amounts amount amercian am also already almost cared caused end declined discontinue disappointed direction different differences didnt deteriorated delivering death customer deal days day daughter date damn dad cutting disgusting disgusts divorce do emails email elsewhere else eliminating el edge easily each duplicate due drive drastically limited down double don customers currently cell choice come combining combine college climbing climb city choose cheaper current charging charges charged charge changing changes changed change coming company compared competitive currency credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised limit loyal limiting started stranger stopping stop stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber ripped taste their thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscription son something someone scales series selection seen seems see secure second scaling saving some save same run rules rule rotating rising risen service services servicio settled so situation single since significant signaling sign sight sick shoves shouldn should short sharing share shady several there these they way where whats what were went weeks week we waste value was warrant wants wanted want waiting wait vs while who wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine thing tired tried tracking town tooo too told today to tipped ut times tightening tight throughout through this think things try trying twice two using uses used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable rise right little nonesence offered offer off of notified nothing not nonsense non often no nice next news newest new never needed offset ok ridiculous options overpriced over outside out others other original or option on opportunity opening opened ontario only oneday one once need must much losing market many manservices makes made loyalty lower lost loose moving looking long lol locations location ll living live married may maybe means moved move months monthly month money monetary moment mistake mind might merge memberships membership members member medical own owner pagos rather recession recently recent reason really reality reactivate re rates pushed rate raising raises raised raise quickly quality putting rectifying redo reduce reducing
Topic 4 | Coherence=-229577.63 | Top words= the you and prices for raising not will services greed more new better subscription with fee loose sharing youre of daughter from at cheaper using gonna reason has my company im same really continously restriction so be on residence offer lesser living others people canceling disgusts charges policies me workable pleased are waste cost damn your youll many cancel entertainment gone games great goes garbage gotten go given got girl grandkids good give entertaining get gf getting going gouging gas forcing future family feet fees feel everything fault far fan fair fuel fact face extra extortion expensive expenses expected few fiance finally financial frequent free forth forever especially euro food focused greedy fixed even fix first financially every flat havent guys isnt join job jacking itself its it issues issue isn hacked is iny intolerable into interested instead inflation increments joint just justify keep letting let less legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping increasses increasing increases hikes higher high her help health he having end have hardly hard happy hand half had hacking hackednot hike hiking increased history increase income in improvements ill if idea husband hungry huge how households household house hosehold horrible holder enough drastically emails before biased biannually bf between benefits benefit being begin been biggest becoming because became barely bank back awhile away biden bill aunt buggin cant cannot cancelling can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically as email adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow card care cared declined discontinue disappointed direction different differences didnt deteriorated delivering decisions divorce death deal days day date dad cutting cut disgusting do caring duplicate elsewhere else eliminating el edge easily earlier each due doesnt drive like drain down double dont done don customers customer currently checking combining combine college climbing climb city choose choice charging current charged charge changing changes changed change cell caused come coming compared competitive currency creep credit covid courtesy country costs continuous continues continue continually constantly constant consolidating consider connected compromised life loyal limit states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers limited temporarily their thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success sorry soon son second service series sense selection seen seems see secure scaling something scales saving save run rules rule rotating rising servicio set settled several someone some situation single since significant signaling sign sight sick shoves shouldn should short she share shady there these they was what were went well weeks week we way warrant ut wants wanted want waiting wait vs virtue value whats when where while yet years yearly year yall ya wouldn would worth work wont won without willing wife why who vaccine uses thing tipped tracking town tooo too told today to tired times users time tightening tight throughout through this think things tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two risen rise ripped next now notified nothing nonsense nonesence non no nice news move newest never needed need must multiple much moving off offered offset often outside out our other original or options option opportunity opening opened ontario only oneday one once ok moved months overpriced looking makes make made luck loyalty lower lost losing longer monthly long lol locations location ll live little limiting making manservices market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may over own right rate recession recently recent reality reactivate re rather rates raises profit raised raise quickly quality putting put pushed provider rectifying redo reduce reducing
Topic 5 | Coherence=-215956.22 | Top words= the you use it as in my do time just enough up many months last go by can moved see price not cost never warrant amount days year euro increases made declined currency unneeded often short opportunity thank like greedy fuel great greed from frequent gouging free forth guys hacked hackednot forever grandkids give girl future games garbage gas got good gonna gone get going getting gf goes given gotten youre forcing family fact face extra extortion expensive expenses expected everything every even especially entertainment entertaining end emails email elsewhere fair fan for far food focused flat fixed had fix first financially financial finally fiance few feet fees feel fee fault hacking her half kidding keeps keeping keep justify joint join job jacking itself its issues issue isnt isn is iny intolerable kept kids interested lack live little limiting limited limit life letting let lesser less legacy left leave learning layoff later laid into instead hand horrible history hiking hikes hike higher high eliminating help health he having havent have has hardly hard happy holder hosehold inflation house increments increasses increasing increased increase income improvements im ill if idea husband hungry huge how households household else drain el becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased at break canceling cancel bye but business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest aunt aren cannot adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amounts amercian am also already almost allowed allow cancelling cant edge date didnt deteriorated delivering decisions death deal day daughter damn different dad cutting cut customers customer currently current creep differences direction covid down easily earlier each duplicate due drive drastically ll double disappointed dont done don doesnt divorce disgusts disgusting discontinue credit courtesy card charge city choose choice checking cheaper charging charges charged changing climbing changes changed change cell caused caring cared care climb college country consolidating costs continuous continues continue continually continously constantly constant consider combine connected compromised competitive compared company coming come combining living loyal location started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something taking that thanks than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers son someone their scales series sense selection seen seems secure second scaling saving services save same run rules rule rotating rising risen service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should she sharing share shady several settled thats there ripped we when whats what were went well weeks week way while waste was wants wanted want waiting wait vs where who value worth youll yet years yearly yall ya wouldn would workable why work wont won without with willing will wife virtue vaccine these times town tooo too told today to tired tipped tightening tried tight throughout through this think things thing they tracking try ut until using uses users used us upward upping upcoming unnecessary trying unfortunately unfair unemployed understand under unable two twice rise right locations nothing ok offset offered offer off of now notified nonsense once nonesence non no nice next news newest new on one need others owning owner own overpriced over outside out our other oneday original or options option opening opened ontario only needed must parent loyalty may married market manservices making makes make luck your me lower lost losing loose looking longer long lol maybe means multiple moment much moving move more monthly month money monetary mom medical mistake mind might merge memberships membership members member pagos parents ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pushed respect return retiring
Topic 6 | Coherence=-218015.06 | Top words= with my in to subscription is already someone the everything moved it life who else prices subscriber hikes keeps getting phone back only household much too be limiting are hacked son has many these news sub piracy disappointed expensive offered pagos use hacking get single free por servicio el adicional acct that week repurposing was upward do charge anymore job intolerable forcing legacy forth forever less for food from focused flat fixed fix frequent games fuel future goes go given give last girl later gf layoff learning leave gas left garbage financially first finally financial lesser expenses expected like every even euro especially entertainment entertaining enough end emails email elsewhere limit letting extortion extra fee gone fiance few feet fees feel fault face far fan family fair fact let going gotten gonna join ill if itself idea husband hungry huge jacking how households house hosehold horrible holder history im improvements its increasses interested instead iny inflation increments isn increasing issues isnt increases increased issue increase income hiking hike good higher keeping hackednot kept kidding kids lack guys greedy greed great laid grandkids gouging into got had half hand justify joint high her just help health he happy eliminating havent have keep hardly hard having youre edge being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank awhile biggest billing card business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addition agree againlater again after afford addtional addresses additional adding at added activities accounts account access acceptance absurd about alarming all allow allowed as aren apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also almost cant care easily date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences cared double earlier each duplicate due drive drastically drain down dont different limited don doesnt divorce disgusts disgusting discontinue direction creep credit covid charging college climbing climb city choose choice checking cheaper charges courtesy charged changing changes changed change cell caused caring combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company done loyal little spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon something some so stop stopping retiring taking thanks thank than terrible temporary temporarily taste talk take stranger system switching support summer success subscriptions subscribers stupid situation since significant run see secure second scaling scales saving save same rules signaling rule rotating rising risen rise ripped right ridiculous seems seen selection sense sign sight sick shoves shouldn should short she sharing share shady several settled set services service series thats their there we where when whats what were went well weeks way value waste warrant wants wanted want waiting wait vs while why wife will youll you yet years yearly year yall ya wouldn would worth workable work wont won without willing virtue vaccine they times tried tracking town tooo told today tired tipped time ut tightening tight throughout through this think things thing try trying twice two using uses users used us upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retired live next notified nothing not nonsense nonesence non no nice newest of new never needed need must multiple moving move now off resume opening our others other original or options option opportunity opened offer ontario oneday one once on ok often offset more months monthly losing makes make made luck loyalty your lower lost loose month looking longer long lol locations location ll living making manservices market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may out outside over raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
Topic 7 | Coherence=-217936.48 | Top words= the price of charging hikes out greedy for many also subscriptions past fan because are lack few hand over years an increases getting selection is acceptance reality way tired sharing work town far just months at stopping hike got newest kept moment ya you girl holder temporary charges damn death account away value used opportunity platform this caring country financially go gone going goes expected everything given good expenses give expensive gonna gotten every even gouging grandkids euro great especially entertainment entertaining greed enough end emails guys extortion face gf forcing financial finally first fiance feet fix fixed hacked flat fees focused food feel fee fault extra forever forth family free fair frequent from fuel future fact games garbage gas get youre he hackednot hacking keep justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested keeping keeps kidding less limited limit like life letting let lesser legacy kids left leave learning layoff later last laid instead inflation increments having hiking higher high her help health elsewhere havent horrible have has hardly hard happy half had history hosehold increasses ill increasing increased increase income in improvements im if house idea husband hungry huge how households household email dont else benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming became be barely bank bill billings eliminating but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit back awhile automatically additional agree againlater again after afford adicional addtional addresses addition aunt adding added activities acct accounts access absurd about alarming all allow allowed as aren apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am already almost card care cared decisions disappointed direction different differences didnt deteriorated delivering declined deal currently days day daughter date dad cutting cut customers discontinue disgusting disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double little done don doesnt do customer current caused choice come combining combine college climbing climb city choose checking currency cheaper charged charge changing changes changed change cell coming company compared competitive creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limiting loyal live spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped that system thank than terrible temporarily taste talk taking take switching stranger support summer success subscription subscribers subscriber sub stupid so situation single same seems see secure second scaling scales saving save run since rules rule rotating rising risen rise ripped right seen sense series service significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services thanks thats return was what were went well weeks week we waste warrant when wants wanted want waiting wait vs virtue vaccine whats where their workable youll yet yearly year yall wouldn would worth wont while won without with willing will wife why who ut using uses tightening tooo too told today to tipped times time tight users throughout through think things thing they these there tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous retiring living next notified nothing not nonsense nonesence non no nice news off new never needed need my must multiple much now offer overpriced opened our others other original or options option opening ontario offered only oneday one once on ok often offset moving moved move lost making makes make made luck loyalty your lower losing more loose looking longer long lol locations location ll manservices market married may monthly month money monetary mom mistake mind might merge memberships membership members member medical means me maybe outside own retired raises reason really reactivate re rather rates rate raising raised recently raise quickly quality putting put pushed provider profits recent recession owner repurposing resume
Topic 8 | Coherence=-222279.08 | Top words= keep it and for time increasing no only at you will subscriber we is like alarming loyalty customer rates there feel going price really so good new with dont increased adding cant much has fees the canceling series popular want or creep entertaining card hardly services system kept won into accounts prefer your few yearly garbage don re given getting fuel games future gas youre get gf girl give frequent go goes gone gonna got gotten gouging grandkids great from financially free everything fact face extra extortion expensive expenses expected every forth even euro especially entertainment enough end emails fair family fan far forever forcing food focused flat fixed fix first greedy financial finally fiance feet fee fault greed having guys increasses justify just joint join job jacking itself its issues issue isnt isn iny intolerable interested instead inflation keeping keeps kidding legacy limited limit life letting let lesser less left kids leave learning layoff later last laid lack increments increases hacked increase hike higher high her help health he elsewhere havent have hard happy hand half had hacking hackednot hikes hiking history husband income in improvements im ill if idea hungry holder huge how households household house hosehold horrible email double else begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away buggin cannot cancelling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings awhile automatically eliminating additional agree againlater again after afford adicional addtional addresses addition allow added activities acct account access acceptance absurd about all allowed aunt anticonsumer as aren are apps aparently anyways anymore any another almost annually an amounts amount amercian am also already care cared caring days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers currently different disappointed caused drastically el edge easily earlier each duplicate due drive drain discontinue down little done doesnt do divorce disgusts disgusting current currency credit cheaper combine college climbing climb city choose choice checking charging covid charges charged charge changing changes changed change cell combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limiting loyal live squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger thats taking thanks thank than terrible temporary temporarily taste talk take stupid switching support summer success subscriptions subscription subscribers sub someone some situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense service servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set that their ridiculous warrant were went well weeks week way waste was wants whats wanted waiting wait vs virtue value vaccine ut what when these worth youll yet years year yall ya wouldn would workable where work wont without willing wife why who while using uses users times town tooo too told today to tired tipped tightening used tight throughout through this think things thing they tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right return living next now notified nothing not nonsense nonesence non nice news off newest never needed need my must multiple moving of offer over opening out our others other original options option opportunity opened offered ontario oneday one once on ok often offset moved move more lost many manservices making makes make made luck lower losing months loose looking longer long lol locations location ll market married may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me outside overpriced retiring raised recent reason reality reactivate rather rate raising raises raise recession quickly quality putting put pushed provider profits profit recently rectifying own reside retired
Topic 9 | Coherence=-228996.97 | Top words= you when to about extra for that if greedy prices keep bill being begin means hiking were high cared wouldn understand leave re ll us what enough paying family youre up only like with your will of this using limit idea outside different states news no cancel power rate sharing months year money offset each increasses extortion longer don justify the share cost taste parents im disgusting horrible jacking everything gonna especially entertainment gotten got fuel future games garbage emails good give gone entertaining gas get going end goes go getting gf given girl fair forever from euro fan far fault face fee feel fees feet few fiance finally financial gouging expensive first fix fixed expenses flat focused food expected every forcing fact even forth free frequent financially he grandkids is itself its it issues issue isnt isn iny increased intolerable into interested instead inflation increments increasing job join joint just lesser less legacy left learning layoff later last laid lack kids kidding kept keeps keeping increases increase great happy elsewhere having havent have has hardly hard hand income half had hacking hackednot hacked guys greed health help her higher in improvements ill husband hungry huge how households household house hosehold holder history hikes hike email done else because bf between better benefits benefit before been becoming became biased be barely bank back awhile away automatically aunt biannually biden as budget cancelling canceling can bye by but business buggin broke biggest break boyfriend both blindly bit bills billings billing at aren cant addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all are and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot card eliminating daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt direction creep drain el edge easily earlier duplicate due drive drastically down disappointed double dont letting doesnt do divorce disgusts discontinue currency credit care charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining covid constantly courtesy country costs continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming let loyal life spending stealing stay starting started start squeeze spouses spouse spend single span sorry soon son something someone some so stepdad stop stopped stopping temporary temporarily talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger situation since retiring run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped right ridiculous seems seen selection sense signaling sign sight sick shoves shouldn should short she shady several settled set servicio services service series terrible than thank wants well weeks week we way waste was warrant wanted thanks want waiting wait vs virtue value vaccine ut went whats where while youll yet years yearly yall ya would worth workable work wont won without willing wife why who uses users used too today tired tipped times time tightening tight throughout through think things thing they these there their thats told tooo use town upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking return retired limited newest notified nothing not nonsense nonesence non nice next new move never needed need my must multiple much moving now off offer offered our others other original or options option opportunity opening opened ontario oneday one once on ok often moved more resume loose makes make made luck loyalty lower lost losing looking monthly long lol locations location living live little limiting making manservices many market month monetary moment mom mistake mind might merge memberships membership members member medical me maybe may married out over overpriced raised reason really reality reactivate rather rates raising raises raise own quickly quality putting put pushed provider profits profit recent recently recession
Topic 10 | Coherence=-213291.00 | Top words= to change need subscription billing at of date unable all this acceptance help country reality lack expenses that new for cut opened service customer mistake no opportunity sharing support as my duplicate won re every discontinue weeks being by several redo due ontario long membership stepdad sight done made gas guys get getting entertaining gf girl hacked hackednot give garbage even given gouging greedy gotten greed go goes great grandkids going entertainment gone euro gonna especially good got games from everything future fact fair family financially financial finally fiance fan few feet fees feel fee fault far first fix fixed forcing fuel frequent free forth expected forever expensive face extortion hacking food extra focused flat youre health had its keep justify just joint join job jacking itself it instead issues issue isnt isn is iny intolerable into keeping keeps kept kidding limited limit like life letting let lesser less legacy left leave learning layoff later last laid kids interested inflation half end holder history hiking hikes hike higher high her he increments having havent have has hardly hard happy hand horrible hosehold house household increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how households enough drain emails been biannually bf between better benefits benefit begin before becoming biden because became be barely bank back awhile away biased biggest card buggin cannot cancelling canceling cancel can bye but business budget bill broke break boyfriend both blindly bit bills billings automatically aunt aren addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts account access absurd about agree alarming allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost cant care email deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter damn dad cutting customers currently current direction disgusting cared drive elsewhere else eliminating el edge easily earlier each drastically disgusts little down double dont don doesnt do divorce currency creep credit charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed cell caused caring combine combining come coming courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company limiting loyal live starting stupid stranger stopping stopped stop stealing stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers they temporary there their the thats thanks thank than terrible temporarily subscriptions taste talk taking take system switching summer success soon son something scales sense selection seen seems see secure second scaling saving someone save same run rules rule rotating rising risen series services servicio set some so situation single since significant signaling sign sick shoves shouldn should short she share shady settled these thing ripped we where when whats what were went well week way who waste was warrant wants wanted want waiting wait while why things wouldn youll you yet years yearly year yall ya would wife worth workable work wont without with willing will vs virtue value today trying try tried tracking town tooo too told tired vaccine tipped times time tightening tight throughout through think twice two under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rise right living nonesence offered offer off now notified nothing not nonsense non often nice next news newest never needed must multiple offset ok pagos other owner own overpriced over outside out our others original on or options option opening only oneday one once much moving moved lower many manservices making makes make luck loyalty your lost move losing loose looking longer lol locations location ll market married may maybe more months monthly month money monetary moment mom mind might merge memberships members member medical means me owning parent ridiculous raising recently recent reason really reactivate rather rates rate raises rectifying raised raise quickly quality putting put pushed provider recession reduce parents respect return
Topic 11 | Coherence=-213526.98 | Top words= and different my to subscription in have youre be pay on greedy its use two disgusting me ridiculous live but fee subscriptions about won company both addresses increases able anticonsumer charge are own service another short same next of extortion than choose from frequent fuel future games were free forever forcing for food focused flat forth get garbage gone greed great grandkids gouging gotten got good gonna going gas goes go given give girl gf getting fix fixed financial first elsewhere euro especially entertainment entertaining enough end emails email else every eliminating el edge easily earlier each duplicate due even everything financially fault guys finally fiance few feet fees feel would far expected fan family fair fact face extra expensive expenses worth hacking hacked isnt join job jacking itself without it issues issue isn just is iny intolerable into interested instead inflation increments joint justify hackednot layoff letting let lesser less legacy left leave learning later keep last laid lack kids kidding kept keeps keeping increasses increasing wont havent hike higher high her help health he having workable increased has hardly hard happy hand half had drastically hikes hiking history holder increase income work improvements im ill if idea husband hungry huge how households household house hosehold horrible drive done drain becoming between better benefits benefit being begin before been because at became years barely bank back awhile away automatically bf biannually biased biden bye by year business buggin budget broke break boyfriend yearly blindly bit bills billings billing bill biggest aunt as down adding again after afford adicional addtional you additional addition added aren activities acct accounts account access acceptance absurd youll againlater agree alarming all apps aparently anyways anymore any annually yet an amounts amount amercian am also already almost allowed allow can cancel canceling customers days day daughter date damn dad cutting cut customer cancelling currently current currency creep credit covid courtesy country deal death decisions declined double dont like don doesnt do divorce disgusts wouldn discontinue disappointed direction ya differences didnt deteriorated delivering costs cost continuous city checking cheaper charging charges charged changing changes changed change cell caused caring cared care card cant cannot choice climb continues climbing continue continually continously constantly constant consolidating consider connected compromised competitive compared yall coming come combining combine college life little limit significant son something someone some so situation single since signaling shady sign sight sick shoves shouldn should she sharing soon sorry span spend sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending share several subscribers resubscribe rise ripped right who return retiring retired resume restriction settled restrict restart respect residence reside repurposing replace rent risen rising rotating rule set servicio services series sense selection seen seems see secure second scaling scales saving save run rules subscriber while remarried unneeded used what us upward upping upcoming up until unnecessary try unfortunately unfair unemployed understand under unable whats twice users uses using ut well weeks week we way waste was warrant wants wanted want waiting wait vs virtue value vaccine trying tried where temporarily their the thats that thanks thank terrible temporary taste tracking talk taking take system switching support summer success there these they thing town tooo too told today when tired tipped times time tightening tight throughout through this think things renewing rejoin limited must nice news newest new never needed need will multiple monetary much moving moved move more months monthly month no non nonesence nonsense opened ontario only oneday one once wife ok often offset offered offer off now notified nothing not money moment opportunity longer luck loyalty your lower lost losing loose looking long mom lol locations location ll living with went limiting made make makes making mistake mind might merge memberships membership members member medical means willing maybe may married market many manservices opening option reflect pricing putting put pushed provider profits profit profiles problem prices pop price president prescription prefer preemptively power possible por quality quickly raise raised
Topic 12 | Coherence=-216612.45 | Top words= prices you are keep my was is much business constantly elsewhere raising increase take what should be half long too upping will rising charged huge amounts hacked second loyalty alarming by profits politically cost today notified service biased no living worth when damn happy share charging yall from frequent free forth let forever for forcing future food letting focused flat fixed fuel games first go gotten got good gonna gone going goes given garbage give girl gf getting get lesser gas fix join grandkids even extra extortion expensive expenses expected everything every euro face especially entertainment entertaining enough end emails email limiting fact financially fees life financial finally fiance few like feet feel limited limit fee fault far fan family fair gouging greed great in keeps kept increasing increases increased kidding income improvements increments im kids ill if idea lack laid increasses keeping job isn jacking itself its it issues issue isnt joint inflation just iny intolerable into interested justify instead husband hungry last hand having havent have has hardly hard leave left later had hacking hackednot legacy less guys greedy he else help her how households household house hosehold horrible holder history hiking hikes layoff hike learning higher high health youre eliminating been bf between better benefits benefit being begin before becoming biden because became barely bank back awhile away automatically biannually biggest card budget cannot cancelling canceling cancel can bye but buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree all allow apps aparently anyways anymore any anticonsumer another annually and an amount amercian am also already almost allowed cant care el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date dad cutting cut customers customer direction discontinue cared drain edge easily earlier each duplicate due drive drastically down disgusting double dont little don doesnt do divorce disgusts currently current currency cheaper combine college climbing climb city choose choice checking charges creep charge changing changes changed change cell caused caring combining come coming company credit covid courtesy country costs continuous continues continue continually continously constant consolidating consider connected compromised competitive compared done loyal live start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone taking thanks thank than terrible temporary temporarily taste talk system sub switching support summer success subscriptions subscription subscribers subscriber something some ll same seen seems see secure scaling scales saving save run sense rules rule rotating risen rise ripped right ridiculous selection series so shoves situation single since significant signaling sign sight sick shouldn services short she sharing shady several settled set servicio that thats the wants went well weeks week we way waste warrant wanted whats want waiting wait vs virtue value vaccine ut were where their workable youll yet years yearly year ya wouldn would work while wont won without with willing wife why who using uses users tight tooo told to tired tipped times time tightening throughout used through this think things thing they these there town tracking tried try use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying return retiring retired nice off of now nothing not nonsense nonesence non next offered news newest new never needed need must multiple offer offset over opportunity out our others other original or options option opening often opened ontario only oneday one once on ok moving moved move your market many manservices making makes make made luck lower more lost losing loose looking longer lol locations location married may maybe me months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means outside overpriced resume raised really reality reactivate re rather rates rate raises raise recent quickly quality putting put pushed provider profit profiles reason recently own replace resubscribe
Topic 13 | Coherence=-220762.88 | Top words= for too now is expensive it going much me the keep prices subscription not on as unfortunately my upward divorce trying courtesy service wife left am through possible spending cut worth using given right amount maybe never itself its offered reduce way later less bills can moving thank whats being rule becoming iny raise increasing forth give got forever gouging grandkids forcing gotten future free good frequent gonna from fuel gone games goes garbage go get getting gf girl gas youre food focused face extra extortion expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere fact fair family greed flat fixed fix first financially financial finally fiance fan few feet fees feel fee fault far great her greedy guys join job jacking issues issue isnt isn intolerable into interested instead inflation increments increasses increases increased increase joint just justify learning like life letting let lesser legacy leave layoff keeping last laid lack kids kidding kept keeps income in improvements hardly help health he having havent have has hard high happy hand half had hacking hackednot hacked eliminating higher im households ill if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes else done el before biased biannually bf between better benefits benefit begin been biggest because became be barely bank back awhile away biden bill aunt business cant cannot cancelling canceling cancel bye by but buggin billing budget broke break boyfriend both blindly bit billings automatically at edge adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another and all an amounts amercian also already almost allowed allow card care cared day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting customers customer currently current differences direction caring down easily earlier each duplicate due drive drastically drain double disappointed dont limited don doesnt do disgusts disgusting discontinue currency creep credit charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed change cell caused combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company limit loyal limiting spouses stepdad stealing stay states starting started start squeeze spouse stopped spend span sorry soon son something someone some stop stopping that system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid so situation single save seen seems see secure second scaling scales saving same since run rules rotating rising risen rise ripped ridiculous selection sense series services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thanks thats little waste when what were went well weeks week we was while warrant wants wanted want waiting wait vs virtue where who their wouldn youll you yet years yearly year yall ya would why workable work wont won without with willing will value vaccine ut tightening tooo told today to tired tipped times time tight uses throughout this think things thing they these there town tracking tried try users used use us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice return retiring retired next of notified nothing nonsense nonesence non no nice news offer newest new needed need must multiple moved move off offset resume option outside out our others other original or options opportunity often opening opened ontario only oneday one once ok more months monthly loose make made luck loyalty your lower lost losing looking month longer long lol locations location ll living live makes making manservices many money monetary moment mom mistake mind might merge memberships membership members member medical means may married market over overpriced own raises really reality reactivate re rather rates rate raising raised problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 14 | Coherence=-221292.34 | Top words= price the your increases is too are where we ridiculous different in me will many you rates change fee do why than others thing higher same who locations has canceling months am going checking upcoming over luck increments greed raised pushed edge system workable policy changes agree twice not broke covid taking buggin think sharing flat sick business often climbing entertaining go getting gf girl give entertainment enough get given fees goes end fan great grandkids emails expenses gouging gotten especially got good gonna far gone fault face garbage gas fact fixed fix first extortion financially financial fair every family finally fiance few everything feet even focused food feel expected for forcing forever extra forth free frequent expensive from fuel future games euro youre greedy justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation just keep increasing keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasses increased guys hike her help health he having elsewhere havent have hardly hard happy hand half had hacking hackednot hacked high hikes increase hiking income improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history email doesnt else becoming between better benefits benefit being begin before been because at became be barely bank back awhile away automatically bf biannually biased biden cancelling cancel can bye by but budget break boyfriend both blindly bit bills billings billing bill biggest aunt as cant adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater alarming all allow apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost allowed cannot card eliminating days differences didnt deteriorated delivering declined decisions death deal day current daughter date damn dad cutting cut customers customer direction disappointed discontinue disgusting el easily earlier each duplicate due drive drastically drain down double dont done don like divorce disgusts currently currency care charging combining combine college climb city choose choice cheaper charges creep charged charge changing changed cell caused caring cared come coming company compared credit courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive life loyal limit spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some so stealing stop limited summer terrible temporary temporarily taste talk take switching support success stopped subscriptions subscription subscribers subscriber sub stupid stranger stopping situation single since rules see secure second scaling scales saving save run rule significant rotating rising risen rise ripped right return retiring seems seen selection sense signaling sign sight shoves shouldn should short she share shady several settled set servicio services service series thank thanks that warrant were went well weeks week way waste was wants using wanted want waiting wait vs virtue value vaccine what whats when while youll yet years yearly year yall ya wouldn would worth work wont won without with willing wife ut uses thats tightening tooo told today to tired tipped times time tight users throughout through this things they these there their town tracking tried try used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two trying retired resume resubscribe newest nothing nonsense nonesence non no nice next news new move never needed need my must multiple much moving notified now of off original or options option opportunity opening opened ontario only oneday one once on ok offset offered offer moved more our looking makes make made loyalty lower lost losing loose longer monthly long lol location ll living live little limiting making manservices market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may other out restriction quickly reality reactivate re rather rate raising raises raise quality president putting put provider profits profit profiles problem pricing really reason recent recently
Topic 15 | Coherence=-218088.04 | Top words= you my extra of with share charging me out cant increase when because not grandkids stay this without now don benefits nonsense want been changing spending happy budget is card can used reflect cheaper garbage continue from joint husband extortion hacked guys gouging gf get hackednot hacking had half getting girl give greedy given go greed goes going gone gonna good gas great got gotten youre forth games future far fan family fair fact face expensive expenses expected everything every even euro especially entertainment entertaining enough end emails fault fee feel flat fuel frequent free forever forcing for food focused fixed fees fix first financially financial finally fiance few feet hand help hard just lack kids kidding kept keeps keeping keep justify join hardly job jacking itself its it issues issue isnt laid last later layoff ll living live little limiting limited limit like life letting let lesser less legacy left leave learning isn iny intolerable household hosehold horrible holder history hiking hikes hike higher high her elsewhere health he having havent have has house households into how interested instead inflation increments increasses increasing increases increased income in improvements im ill if idea hungry huge email drain else became bf between better benefit being begin before becoming be biased barely bank back awhile away automatically aunt at biannually biden aren broke cancelling canceling cancel bye by but business buggin break biggest boyfriend both blindly bit bills billings billing bill as are eliminating adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming apps an aparently anyways anymore any anticonsumer another annually and amounts all amount amercian am also already almost allowed allow cannot care cared deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue caring drastically el edge easily earlier each duplicate due drive locations disgusting down double dont done doesnt do divorce disgusts customer currently current choice come combining combine college climbing climb city choose checking currency charges charged charge changes changed change cell caused coming company compared competitive creep credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised location loyal lol long stupid stranger stopping stopped stop stepdad stealing states starting started start squeeze spouses spouse spend span sorry soon son sub subscriber subscribers taste thats that thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions something someone some scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she sharing shady several settled set the their there waste what were went well weeks week we way was where warrant wants wanted waiting wait vs virtue value whats while ut would youll yet years yearly year yall ya wouldn worth who workable work wont won willing will wife why vaccine using these times town tooo too told today to tired tipped time tried tightening tight throughout through think things thing they tracking try uses unneeded users use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice rise ripped right nonesence ok often offset offered offer off notified nothing non once no nice next news newest new never needed on one must other owning owner own overpriced over outside our others original oneday or options option opportunity opening opened ontario only need multiple parent made may married market many manservices making makes make luck means loyalty your lower lost losing loose looking longer maybe medical much monetary moving moved move more months monthly month money moment member mom mistake mind might merge memberships membership members pagos parents ridiculous rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo provider respect return retiring
Topic 16 | Coherence=-223596.30 | Top words= price anymore not up the keep and raising to especially face make lost have nice shoves forcing life choice keeping iny pop just your with currently so expensive more subscriber you worth me subscription us for share continues letting is no fees rise sight end in kidding budget way food jacking gas constantly inflation monthly happy other amount short profits fuel future games from email extra garbage going elsewhere gouging gotten got good gonna gone goes get go given give free girl gf getting frequent focused forth forever extortion fact expenses fair family fan expected far fault fee feel everything feet every few even grandkids finally financial financially euro first fix fixed flat entertainment entertaining enough emails fiance youre great income job itself its it issues issue isnt isn intolerable into interested instead increments increasses increasing increases increased join joint justify leave limit like let lesser less legacy left learning keeps layoff later last laid lack kids kept increase improvements greed im help health he having havent eliminating has hardly hard hand half had hacking hackednot hacked guys greedy her high higher households ill if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes else dont el edge biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away biased biden biggest buggin cancelling canceling cancel can bye by but business broke bill break boyfriend both blindly bit bills billings billing automatically aunt at adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as annually aren are apps aparently anyways any anticonsumer another an all amounts amercian am also already almost allowed allow cannot cant card days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed currency down easily earlier each duplicate due drive drastically drain double discontinue limiting done don doesnt do divorce disgusts disgusting current creep care charged climbing climb city choose checking cheaper charging charges charge combine changing changes changed change cell caused caring cared college combining credit continously covid courtesy country costs cost continuous continue continually constant come consolidating consider connected compromised competitive compared company coming limited loyal little started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub there taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions son something someone save seen seems see secure second scaling scales saving same some run rules rule rotating rising risen ripped right selection sense series service situation single since significant signaling sign sick shouldn should she sharing shady several settled set servicio services their these live waste whats what were went well weeks week we was where warrant wants wanted want waiting wait vs virtue when while they would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why value vaccine ut times tracking town tooo too told today tired tipped time using tightening tight throughout through this think things thing tried try trying twice uses users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous return retiring non offer off of now notified nothing nonsense nonesence next offset news newest new never needed need my must offered often retired option over outside out our others original or options opportunity ok opening opened ontario only oneday one once on multiple much moving losing many manservices making makes made luck loyalty lower loose moved looking longer long lol locations location ll living market married may maybe move months month money monetary moment mom mistake mind might merge memberships membership members member medical means overpriced own owner rate recent reason really reality reactivate re rather rates raises profiles raised raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 17 | Coherence=-209188.64 | Top words= cut to costs expenses fuel just having entertainment and other rise month the per rent increased almost on with back in need must retiring looking added charges fees more youre hand gotten good gonna gone going especially goes go given give euro girl gf getting get even got gouging fault grandkids half elsewhere had email emails hacking end enough hackednot hacked guys greedy greed great entertaining gas far every games fix first financially financial face finally fiance fact fair few feet family fan feel fee fixed extra flat forth everything future expected from frequent free forever extortion forcing for food expensive happy focused garbage help hard keep last laid lack kids kidding kept keeps keeping justify isnt joint join job jacking itself its it issues later layoff learning leave locations location ll living live little limiting limited limit like life letting let lesser less legacy left issue isn hardly hikes households household house hosehold horrible holder history hiking hike is higher high her health he havent have has how huge hungry husband iny intolerable into interested instead inflation increments increasses increasing increases increase income improvements im ill if idea else earlier eliminating automatically biden biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank awhile biggest bill billing business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away aunt el at agree againlater again after afford adicional addtional addresses additional addition adding activities acct accounts account access acceptance absurd about alarming all allow anticonsumer as aren are apps aparently anyways anymore any another allowed annually an amounts amount amercian am also already cant card care cared different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting customers customer currently direction disappointed discontinue drain edge easily long each duplicate due drive drastically down disgusting double dont done don doesnt do divorce disgusts current currency creep charging college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come credit continously covid courtesy country cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company lol loyal longer thing subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending subscription subscriptions success terrible these there their thats that thanks thank than temporary summer temporarily taste talk taking take system switching support spend span sorry seen settled set servicio services service series sense selection seems shady see secure second scaling scales saving save same several share soon significant son something someone some so situation single since signaling sharing sign sight sick shoves shouldn should short she they things loose think where when whats what were went well weeks week we way waste was warrant wants wanted want waiting wait while who why wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vs virtue value today trying try tried tracking town tooo too told tired two tipped times time tightening tight throughout through this twice unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand run rules rule rotating one once ok often offset offered offer off of now notified nothing not nonsense nonesence non no nice next oneday only ontario outside parents parent pagos owning owner own overpriced over out opened our others original or options option opportunity opening news newest new making means me maybe may married market many manservices makes member make made luck loyalty your lower lost losing medical members never monthly needed my multiple much moving moved move months money membership monetary moment mom mistake mind might merge memberships passed past pay reality reduce redo rectifying recession recently recent reason really reactivate reflect re rather rates rate raising raises raised raise reducing rejoin quality resubscribe rising risen
Topic 18 | Coherence=-212453.22 | Top words= the for months money this few come have in back is ill try tight budget once and using another issues platform unemployed financial wait getting awhile return kids some instead having future we may my will what resume games from garbage fuel frequent girl gas get hacked guys greedy greed great grandkids gouging gotten got good gonna gone going goes go given give forth gf free youre forever forcing extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else eliminating el extra face fact finally food focused flat fixed fix hacking first financially fiance fair feet fees feel fee fault far fan family hackednot high had laid kidding kept keeps keeping keep justify just joint join job jacking itself its it issue isnt isn lack last intolerable later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff iny into half hosehold holder history hiking hikes hike higher easily her help health he havent has hardly hard happy hand horrible house interested household inflation increments increasses increasing increases increased increase income improvements im if idea husband hungry huge how households edge down earlier before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank away automatically biased biggest at buggin cancelling canceling cancel can bye by but business broke bill break boyfriend both blindly bit bills billings billing aunt as cant adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an are apps aparently anyways anymore any anticonsumer annually amounts all amount amercian am also already almost allowed allow cannot card each date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences credit done duplicate due drive drastically drain location double dont don different doesnt do divorce disgusts disgusting discontinue disappointed direction creep covid care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine courtesy constantly country costs cost continuous continues continue continually continously constant combining consolidating consider connected compromised competitive compared company coming ll loyal locations lol stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something stopping stranger stupid take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone so situation saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio thanks that thats way where when whats were went well weeks week waste who was warrant wants wanted want waiting vs virtue while why vaccine wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing value ut their time tooo too told today to tired tipped times tightening tracking throughout through think things thing they these there town tried uses until users used use us upward upping upcoming up unneeded trying unnecessary unfortunately unfair understand under unable two twice ripped right ridiculous nonsense offered offer off of now notified nothing not nonesence often non no nice next news newest new never offset ok need or overpriced over outside out our others other original options on option opportunity opening opened ontario only oneday one needed must owner luck married market many manservices making makes make made loyalty me your lower lost losing loose looking longer long maybe means multiple moment much moving moved move more monthly month monetary mom medical mistake mind might merge memberships membership members member own owning retiring raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession profit repurposing retired resubscribe
Topic 19 | Coherence=-213467.27 | Top words= to pay my have but bill it are not is was taste extortion subscription company so just family that disgusting do greedy charge after ill for subscriptions compromised card its because extra an charged without about option wanted automatically told credit bank allowed think cheaper currency euro declined business yearly often before market wait prefer cost gone gouging going face gonna good goes got gotten feet expensive hacked half had especially even hacking hackednot guys grandkids every everything expected greed great expenses go fan given forever forcing fault food fee focused flat fixed fix first feel fees financially financial finally fiance far forth give free girl fact fair few gf getting get gas garbage games future fuel from frequent happy hand youre hard laid kids kidding kept keeps keeping keep justify joint join job jacking itself issues issue isnt isn iny lack last hardly later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff intolerable into interested instead hosehold horrible holder history hiking hikes hike higher entertaining high her help health he having havent has house household households income inflation increments increasses increasing increases increased increase in how improvements im if idea husband hungry huge entertainment double enough billing biden biased biannually bf between better benefits benefit being begin been becoming became be barely back awhile biggest billings aunt bills care cant cannot cancelling canceling cancel can bye by buggin budget broke break boyfriend both blindly bit away at caring alarming againlater again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd agree all as allow aren apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also already almost cared caused end don divorce disgusts discontinue disappointed direction different differences didnt deteriorated delivering decisions death deal days day daughter date doesnt done dad dont emails email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down location damn cutting cell competitive coming come combining combine college climbing climb city choose choice checking charging charges changing changes changed change compared connected cut consider customers customer currently current creep covid courtesy country costs continuous continues continue continually continously constantly constant consolidating ll loyal locations spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping situation take thanks thank than terrible temporary temporarily talk taking system stranger switching support summer success subscribers subscriber sub stupid some single the save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services thats their ridiculous we when whats what were went well weeks week way while waste warrant wants want waiting vs virtue value where who ut would youll you yet years year yall ya wouldn worth why workable work wont won with willing will wife vaccine using there time tracking town tooo too today tired tipped times tightening try tight throughout through this things thing they these tried trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two right return lol non offer off of now notified nothing nonsense nonesence no offset nice next news newest new never needed need offered ok multiple or overpriced over outside out our others other original options on opportunity opening opened ontario only oneday one once must much owner luck may married many manservices making makes make made loyalty me your lower lost losing loose looking longer long maybe means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member own owning retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits reside retired resume
Topic 20 | Coherence=-213687.15 | Top words= back be will to of need break taking when can on payment month end move ll got ill time laid off money for subscription payday bit rotating divorce just im broke next cutting might something spending come subscriptions monetary else repurposing awhile own soon summer week feet layoff may today cancel cant job owner entertainment greed expenses expected greedy girl give everything given go every emails goes enough especially going great gone gonna even expensive good euro gotten entertaining gouging grandkids gf extortion getting hacked food focused flat far fixed fix fault first financially financial fee feel fees finally fiance fan forcing get forever few extra face fact gas garbage games future fuel from frequent fair family free forth guys youre hackednot increasses joint join jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation justify keep keeping left like life letting let lesser less legacy leave keeps learning later last lack kids kidding kept increments increasing hacking increases hike higher high her help email he having havent have has hardly hard happy hand half had hikes hiking history husband increased increase income in improvements if idea hungry holder huge how households household house hosehold horrible health down elsewhere been bf between better benefits benefit being begin before becoming biased because became barely bank away automatically aunt at biannually biden aren business care card cannot cancelling canceling bye by but buggin biggest budget boyfriend both blindly bills billings billing bill as are eliminating adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming apps an aparently anyways anymore any anticonsumer another annually and amounts all amount amercian am also already almost allowed allow cared caring caused deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cut customers customer direction discontinue cell drastically el edge easily earlier each duplicate due drive drain disgusting limited double dont done don doesnt do disgusts currently current currency checking combining combine college climbing climb city choose choice cheaper creep charging charges charged charge changing changes changed change coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limit loyal limiting started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spend span sorry son someone stranger sub these temporary their the thats that thanks thank than terrible temporarily subscriber taste talk take system switching support success subscribers some so situation scales sense selection seen seems see secure second scaling saving single save same run rules rule rising risen rise series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set there they little way where whats what were went well weeks we waste who was warrant wants wanted want waiting wait vs while why thing wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue value vaccine tired trying try tried tracking town tooo too told tipped ut times tightening tight throughout through this think things twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped right ridiculous non offered offer now notified nothing not nonsense nonesence no often nice news newest new never needed my must offset ok return or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one multiple much moving losing makes make made luck loyalty your lower lost loose moved looking longer long lol locations location living live making manservices many market more months monthly moment mom mistake mind merge memberships membership members member medical means me maybe married owning pagos parent rates recently recent reason really reality reactivate re rather rate provider raising raises raised raise quickly quality putting put recession rectifying redo reduce
Topic 21 | Coherence=-220843.81 | Top words= and too price many increase expensive but new charges added have people their tracking access they how worth use subscription getting to drive competitive your manservices shouldn no keeps not market pick from down increasing stupid hardly thanks on poland newest options rule amercian in now live money hackednot easily services kids secure afford often lol willing everything has putting own girl fuel future gotten gonna gone gouging good gf games goes garbage gas go get given give got going youre frequent expenses far fan family fair fact face extra extortion expected free every even euro especially entertainment entertaining enough end fault fee feel fees forth forever forcing for food focused flat great fixed fix first financially financial finally fiance few feet grandkids health greed issue join job jacking itself its it issues isnt just isn is iny intolerable into interested instead joint justify increments learning letting let lesser less legacy left leave layoff keep later last laid lack kidding kept keeping inflation increasses greedy havent higher high her help email he having hard hikes happy hand half had hacking hacked guys hike hiking increases husband increased income improvements im ill if idea hungry history huge households household house hosehold horrible holder emails drain elsewhere else biden biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back biggest bill billing business cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills awhile away automatically additional alarming agree againlater again after adicional addtional addresses addition allow adding activities acct accounts account acceptance absurd about all allowed aunt any at as aren are apps aparently anyways anymore anticonsumer almost another annually an amounts amount am also already card care cared days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current like eliminating el edge earlier each duplicate due drastically double discontinue dont done don doesnt do divorce disgusts disgusting currently currency caring cheaper combine college climbing climb city choose choice checking charging come charged charge changing changes changed change cell caused combining coming creep continue credit covid courtesy country costs cost continuous continues continually company continously constantly constant consolidating consider connected compromised compared life loyal limit starting stranger stopping stopped stop stepdad stealing stay states started son start squeeze spouses spouse spending spend span sorry sub subscriber subscribers subscriptions the thats that thank than terrible temporary temporarily taste talk taking take system switching support summer success soon something these scaling service series sense selection seen seems see second scales someone saving save same run rules rotating rising risen servicio set settled several some so situation single since significant signaling sign sight sick shoves should short she sharing share shady there thing ripped week where when whats what were went well weeks we vs way waste was warrant wants wanted want waiting while who why wife youll you yet years yearly year yall ya wouldn would workable work wont won without with will wait virtue things tired twice trying try tried town tooo told today tipped value times time tightening tight throughout through this think two unable under understand vaccine ut using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rise right limited nice offer off of notified nothing nonsense nonesence non next moved news never needed need my must multiple much offered offset ok once overpriced over outside out our others other original or option opportunity opening opened ontario only oneday one moving move owning loose makes make made luck loyalty lower lost losing looking more longer long locations location ll living little limiting making married may maybe months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me owner pagos ridiculous re rectifying recession recently recent reason really reality reactivate rather pushed rates rate raising raises raised raise quickly quality redo reduce reducing reflect
Topic 22 | Coherence=-217645.22 | Top words= me and you to in different cancel money my that will membership subscriptions because mom places since restrict on keep taste want two been years from live havent stealing yall with time double emails boyfriend financially using wants payment go declined gf hard its some same disgusting opportunity cant currency isn for legacy frequent free forth forever forcing food left focused flat fixed fix first less fuel future got give last gonna gone going goes later given layoff games girl learning getting get gas leave garbage financial finally fiance entertainment expected everything every even euro like especially entertaining few limit enough end limited email elsewhere else expenses expensive life extortion feet fees feel fee fault far lesser fan family fair fact let letting face extra good laid isnt hungry job improvements im ill if idea husband huge gotten how join households household house joint hosehold jacking income itself increase issue is iny intolerable into interested instead inflation increments increasses increasing issues increases increased it horrible holder history has kids happy hand half had lack hacking hackednot hacked guys greedy greed great grandkids gouging hardly have hiking kidding just hikes justify hike higher high her help health keeping he keeps el having kept eliminating youre edge became between better benefits benefit being begin before becoming be biannually barely bank back awhile away automatically aunt at bf biased easily broke canceling can bye by but business buggin budget break biden both blindly bit bills billings billing bill biggest as aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cancelling cannot card damn delivering decisions death deal days day daughter date dad courtesy cutting cut customers customer currently current creep credit deteriorated didnt differences direction earlier each duplicate due drive drastically drain down dont done limiting doesnt do divorce disgusts discontinue disappointed covid country care charged climb city choose choice checking cheaper charging charges charge costs changing changes changed change cell caused caring cared climbing college combine combining cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come don loyal little spending stay states starting started start squeeze spouses spouse spend stop span sorry soon son something someone so situation stepdad stopped thanks switching than terrible temporary temporarily talk taking take system support stopping summer success subscription subscribers subscriber sub stupid stranger single significant signaling rules see secure second scaling scales saving save run rule sign rotating rising risen rise ripped right ridiculous return seems seen selection sense sight sick shoves shouldn should short she sharing share shady several settled set servicio services service series thank thats retired was were went well weeks week we way waste warrant whats wanted waiting wait vs virtue value vaccine ut what when the workable youll yet yearly year ya wouldn would worth work where wont won without willing wife why who while uses users used throughout too told today tired tipped times tightening tight through use this think things thing they these there their tooo town tracking tried us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try retiring resume living nice now notified nothing not nonsense nonesence non no next off news newest new never needed need must multiple of offer over opening out our others other original or options option opened offered ontario only oneday one once ok often offset much moving moved lost making makes make made luck loyalty your lower losing move loose looking longer long lol locations location ll manservices many market married more months monthly month monetary moment mistake mind might merge memberships members member medical means maybe may outside overpriced resubscribe raise reactivate re rather rates rate raising raises raised quickly really quality putting put pushed provider profits profit profiles reality reason own renewing restriction
Topic 23 | Coherence=-228259.27 | Top words= kept gonna reason other out youre charge people im using was cheaper charging now better services only are if keep raising prices that so your extra it subscription and you my off being of time reducing increases expenses laid outside stranger used sick coming is play ripped lol summer by short unneeded just re to profiles break extortion gf girl getting going get expensive given gas go expected goes give gone everything every even good got euro especially entertainment entertaining gotten gouging enough end emails grandkids garbage finally fiance face financial financially first fix fixed few feet flat fees focused food feel fee for fault forcing forever far forth free frequent from fuel future games fan family fair fact great hard greed increase job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments increasses increasing join joint justify leave life letting let lesser less legacy left learning keeping layoff later last lack kids kidding keeps increased income greedy in help health he having havent have has hardly elsewhere happy hand half had hacking hackednot hacked guys her high higher households improvements ill idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes email double else eliminating biased biannually bf between benefits benefit begin before been becoming because became be barely bank back awhile away automatically biden biggest bill business cant cannot cancelling canceling cancel can bye but buggin billing budget broke boyfriend both blindly bit bills billings aunt at as adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow card care cared death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting customer drastically el edge easily earlier each duplicate due drive drain disgusts down limit dont done don doesnt do divorce customers currently caring choice come combining combine college climbing climb city choose checking compared charges charged changing changes changed change cell caused company competitive current continuous currency creep credit covid courtesy country costs cost continues compromised continue continually continously constantly constant consolidating consider connected like loyal limited started stopping stopped stop stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber limiting temporarily their the thats thanks thank than terrible temporary taste subscribers talk taking take system switching support success subscriptions son something someone saving selection seen seems see secure second scaling scales save some same run rules rule rotating rising risen rise sense series service servicio situation single since significant signaling sign sight shoves shouldn should she sharing share shady several settled set there these they weeks while where when whats what were went well week vs we way waste warrant wants wanted want waiting who why wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing wait virtue thing tired try tried tracking town tooo too told today tipped value times tightening tight throughout through this think things trying twice two unable vaccine ut uses users use us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand under right ridiculous return never nonesence non no nice next news newest new needed monthly need must multiple much moving moved move more nonsense not nothing notified original or options option opportunity opening opened ontario oneday one once on ok often offset offered offer months month our loose makes make made luck loyalty lower lost losing looking money longer long locations location ll living live little making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married others over retiring raised recent really reality reactivate rather rates rate raises raise pricing quickly quality putting put pushed provider profits profit recently recession rectifying redo
Topic 24 | Coherence=-221616.11 | Top words= price and service the customer increases increase garbage do your my are customers this rate even getting care have greedy through will me new provider stop about constant addtional quality as upcoming youll paying what am keep be ridiculous back why blindly phone should horrible putting activities married combining connected pay cheaper terrible under reflect accounts already isnt restart offered between platform gouging cell email replace anticonsumer less continues idea left charges kidding kids girl gotten got good gas gonna give gone get games goes gf go given going youre future fact feel fee fault far fan family fair face feet extra extortion expensive expenses expected everything every fees few fuel food from frequent free forth forever forcing for focused fiance flat fixed grandkids first financially financial finally fix health great greed job jacking itself its it issues issue isn is iny intolerable into interested instead inflation increments increasses join joint just learning like life letting let lesser legacy leave layoff justify later last laid lack kept keeps keeping increasing increased income hard help especially he having havent has hardly happy high hand half had hacking hackednot hacked guys her higher in how improvements im ill if husband hungry huge households hike household house hosehold holder history hiking hikes euro drain entertainment bit billings billing bill biggest biden biased biannually bf better benefits benefit being begin before been becoming because bills both barely boyfriend caring cared card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break became bank change allow alarming agree againlater again after afford adicional addresses additional addition adding added acct account access acceptance absurd all allowed awhile almost away automatically aunt at aren apps aparently anyways anymore any another annually an amounts amount amercian also caused changed entertaining done doesnt divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days don dont daughter double enough end emails elsewhere else eliminating el edge easily earlier each duplicate due drive drastically limited down day date changes consider competitive compared company coming come combine college climbing climb city choose choice checking charging charged charge changing compromised consolidating damn constantly dad cutting cut currently current currency creep credit covid courtesy country costs cost continuous continue continually continously limit loyal limiting started stranger stopping stopped stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber rise talk thats that thanks thank than temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription son something someone scaling series sense selection seen seems see secure second scales some saving save same run rules rule rotating rising services servicio set settled so situation single since significant signaling sign sight sick shoves shouldn short she sharing share shady several their there these way when whats were went well weeks week we waste value was warrant wants wanted want waiting wait vs where while who wife you yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine they tired tried tracking town tooo too told today to tipped ut times time tightening tight throughout think things thing try trying twice two using uses users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand unable risen ripped little news nothing not nonsense nonesence non no nice next newest now never needed need must multiple much moving moved notified of right ontario other original or options option opportunity opening opened only off oneday one once on ok often offset offer move more months loose makes make made luck loyalty lower lost losing looking monthly longer long lol locations location ll living live making manservices many market month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may others our out raising recent reason really reality reactivate re rather rates raises pricing raised raise quickly put pushed profits profit profiles recently recession rectifying redo
Topic 25 | Coherence=-217965.88 | Top words= terrible pricing addition charges the greedy increasing you sharing your is keep and of prices will but rejoin moving me month didnt first hike once let get it next preemptively settled rate cancel canceling before later temporarily cancelling to aren out fuel future games hacked getting guys hackednot greed hacking garbage gas great gone gouging grandkids going gotten got gf girl good gonna give given go goes frequent from youre free everything fair fact face extra extortion expensive expenses expected every forth even euro especially entertainment entertaining enough end emails family fan far fault forever forcing for food had flat fixed fix financially financial finally fiance few feet fees feel fee focused help half kidding keeps keeping justify just joint join job jacking itself its issues issue isnt isn iny intolerable into kept kids hand lack live little limiting limited limit like life letting lesser less legacy left leave learning layoff last laid interested instead inflation increments holder history hiking hikes higher high her elsewhere health he having havent have has hardly hard happy horrible hosehold house im increasses increases increased increase income in improvements ill household if idea husband hungry huge how households email due else eliminating biased biannually bf between better benefits benefit being begin been becoming because became be barely bank back awhile away biden biggest bill buggin care card cant cannot can bye by business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at adding againlater again after afford adicional addtional addresses additional added alarming activities acct accounts account access acceptance absurd about agree all as annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cared caring caused deal direction different differences deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting currently drastically el edge easily earlier each duplicate ll drive drain disgusts down double dont done don doesnt do divorce customer current cell choice come combining combine college climbing climb city choose checking company cheaper charging charged charge changing changes changed change coming compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised living loyal location stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting started start squeeze spouses spouse spending spend subscriber subscription sorry temporary these there their thats that thanks thank than taste subscriptions talk taking take system switching support summer success span soon thing secure services service series sense selection seen seems see second set scaling scales saving save same run rules rule servicio several son signaling something someone some so situation single since significant sign shady sight sick shoves shouldn should short she share they things rising we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who virtue would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife vs value think today trying try tried tracking town tooo too told tired two tipped times time tightening tight throughout through this twice unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand rotating risen locations nonsense offset offered offer off now notified nothing not nonesence ok non no nice news newest new never needed often on my original owner own overpriced over outside our others other or one options option opportunity opening opened ontario only oneday need must pagos luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking longer long lol may means multiple moment much moved move more months monthly money monetary mom medical mistake mind might merge memberships membership members member owning parent rise reactivate redo rectifying recession recently recent reason really reality re reducing rather rates raising raises raised raise quickly quality reduce reflect put restriction ripped right
Topic 26 | Coherence=-233806.74 | Top words= too price many to much subscription has the for or other are consider far biannually seems entertaining ill increasing after options increases company you hike charging year prices extra like long share newest way your an high raised my this keeps not passed benefits renewing changing hacked while away be will cost owner nonsense fees hard stupid fix quickly becoming risen quality rules tooo getting of with prescription aunt stepdad ll don before ya opening gf gonna gotten got gas good going given goes get girl give go gone garbage youre games expensive fault fan family fair fact face extortion expenses feel expected everything every even euro especially entertainment fee feet future food fuel from frequent free forth forever forcing focused few flat gouging first financially financial finally fiance fixed havent grandkids is itself its it issues issue isnt isn iny job intolerable into interested instead inflation increments increasses jacking join great laid legacy left leave learning layoff later last lack joint kids kidding kept keeping keep justify just increased increase income happy help health he having end have hardly hand in half had hacking hackednot guys greedy greed her higher hikes hiking improvements im if idea husband hungry huge how households household house hosehold horrible holder history enough dont emails benefit billing bill biggest biden biased bf between better being bills begin been because became barely bank back awhile billings bit caring bye care card cant cannot cancelling canceling cancel can by blindly but business buggin budget broke break boyfriend both automatically at as adding againlater again afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also already almost allowed cared caused email declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day daughter date damn dad disgusting divorce cell duplicate elsewhere else eliminating el edge easily earlier each due do drive drastically drain down double lesser done doesnt cutting cut customers choose coming come combining combine college climbing climb city choice customer checking cheaper charges charged charge changes changed change compared competitive compromised connected currently current currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating less loyal let squeeze stopped stop stealing stay states starting started start spouses some spouse spending spend span sorry soon son something stopping stranger sub subscriber thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers someone so letting saving sense selection seen see secure second scaling scales save situation same run rule rotating rising rise ripped right series service services servicio single since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set that thats their warrant were went well weeks week we waste was wants there wanted want waiting wait vs virtue value vaccine what whats when where youll yet years yearly yall wouldn would worth workable work wont won without willing wife why who ut using uses try tracking town told today tired tipped times time tightening tight throughout through think things thing they these tried trying users twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous return retiring need non no nice next news new never needed must out multiple moving moved move more months monthly month nonesence nothing notified now others original option opportunity opened ontario only oneday one once on ok often offset offered offer off money monetary moment made loyalty lower lost losing loose looking longer lol locations location living live little limiting limited limit life luck make mom makes mistake mind might merge memberships membership members member medical means me maybe may married market manservices making our outside retired raising reason really reality reactivate re rather rates rate raises over raise putting put pushed provider profits profit profiles recent recently recession
Topic 27 | Coherence=-224829.58 | Top words= now you subscription access be many greed anymore increments good too luck checking am why canceling is it we where will afford cant don the for to inflation using thanks want right by president caused biden rising money how change even recession paying use costs quality tight people cannot not again broke make girl go given give great gf going getting hackednot hacking get goes hacked gone euro grandkids gonna guys especially entertainment end greedy enough entertaining got gotten gouging family everything every few first financially financial finally extra fiance face feet fixed fees fact feel fee fault far fan fix flat gas free fair garbage games future fuel from frequent forth had forever forcing expected food expenses expensive extortion focused high half interested keeps keeping keep justify just joint join job jacking itself its issues issue isnt isn iny intolerable kept kidding kids less limited limit like life letting let lesser legacy lack left leave learning layoff later last laid into instead hand increasses history hiking hikes hike higher email her help health he having havent have has hardly hard happy holder horrible hosehold im increasing increases increased increase income in improvements ill house if idea husband hungry huge households household emails youre elsewhere begin biased biannually bf between better benefits benefit being before automatically been becoming because became barely bank back awhile biggest bill billing billings cared care card cancelling cancel can bye but business buggin budget break boyfriend both blindly bit bills away aunt cell addition alarming agree againlater after adicional addtional addresses additional adding at added activities acct accounts account acceptance absurd about all allow allowed almost as aren are apps aparently anyways any anticonsumer another annually and an amounts amount amercian also already caring changed else declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont little done doesnt cutting customers changes climb compared company coming come combining combine college climbing city customer choose choice cheaper charging charges charged charge changing competitive compromised connected consider currently current currency creep credit covid courtesy country cost continuous continues continue continually continously constantly constant consolidating limiting loyal live spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped situation switching terrible temporary temporarily taste talk taking take system support stopping summer success subscriptions subscribers subscriber sub stupid stranger so single living save seen seems see secure second scaling scales saving same sense run rules rule rotating risen rise ripped ridiculous selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services than thank that was what were went well weeks week way waste warrant when wants wanted waiting wait vs virtue value vaccine whats while thats would youll yet years yearly year yall ya wouldn worth who workable work wont won without with willing wife ut uses users throughout tooo told today tired tipped times time tightening through used this think things thing they these there their town tracking tried try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying return retiring retired next of notified nothing nonsense nonesence non no nice news offer newest new never needed need my must multiple off offered outside opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often much moving moved lost market manservices making makes made loyalty your lower losing move loose looking longer long lol locations location ll married may maybe me more months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means out over resume raised reality reactivate re rather rates rate raising raises raise reason quickly putting put pushed provider profits profit profiles really recent overpriced replace resubscribe
Topic 28 | Coherence=-222292.35 | Top words= and price we is have will pay to use my where change upcoming anticonsumer in locations subscriptions now consolidating subscription are after married got profit fiance cant moving upping year getting lol canceling later outside used bill be the enough gonna gone going goes go get gf given good give girl entertaining entertainment family gouging gotten hacked hand half email had hacking hackednot emails especially end guys greedy greed great grandkids gas games garbage fan fix extortion extra first financially financial finally face few fact feet fees feel fair fee fault far fixed flat focused forcing future fuel from frequent free forth forever euro expensive for food even every everything expected expenses youre high happy kids kept keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn kidding lack intolerable laid live little limiting limited limit like life letting let lesser less legacy left leave learning layoff last iny into hard household hosehold horrible holder history hiking hikes hike higher else her help health he having havent has hardly house households interested how instead inflation increments increasses increasing increases increased increase income improvements im ill if idea husband hungry huge elsewhere down eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank back awhile biden billing automatically business card cannot cancelling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away aunt cared adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at annually as aren apps aparently anyways anymore any another an allow amounts amount amercian am also already almost allowed care caring el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drain edge easily earlier each duplicate due drive drastically ll disgusting double dont done don doesnt do divorce disgusts customer current caused checking combining combine college climbing climb city choose choice cheaper coming charging charges charged charge changing changes changed cell come company currency continues creep credit covid courtesy country costs cost continuous continue compared continually continously constantly constant consider connected compromised competitive living loyal location spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping so take thank than terrible temporary temporarily taste talk taking system stranger switching support summer success subscribers subscriber sub stupid some situation that saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio thanks thats long waste whats what were went well weeks week way was while warrant wants wanted want waiting wait vs virtue when who vaccine would youll you yet years yearly yall ya wouldn worth why workable work wont won without with willing wife value ut their tight too told today tired tipped times time tightening throughout town through this think things thing they these there tooo tracking using unfortunately uses users us upward up until unneeded unnecessary unfair tried unemployed understand under unable two twice trying try ripped right ridiculous nonsense offset offered offer off of notified nothing not nonesence ok non no nice next news newest new never often on need or own overpriced over out our others other original options once option opportunity opening opened ontario only oneday one needed must return made maybe may market many manservices making makes make luck means loyalty your lower lost losing loose looking longer me medical multiple monetary much moved move more months monthly month money moment member mom mistake mind might merge memberships membership members owner owning pagos rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo parent residence retiring
Topic 29 | Coherence=-219509.94 | Top words= price and with to is more increases saving money subscription sharing deal need continuous can problem be hikes prices continues profiles issues climb benefit added better no expected future other dad users between hike starting personal in spending joint husband adding go changes made once luck policy keeps rise financial months increasing gouging stop another pick profits even get getting gas greed garbage great euro especially entertainment grandkids gonna gf gotten entertaining girl give got given games goes going good gone feel forth every flat feet few fee fiance finally financially first fix fault far fixed fan family fair fact fuel face extra extortion expensive food expenses for everything forcing forever fees free frequent from focused youre greedy kept keep justify just join job jacking itself its it issue isnt isn iny intolerable into interested instead keeping kidding increments kids limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack inflation increasses guys high help health he having havent end have has hardly hard happy hand half had hacking hackednot hacked her higher increased hiking increase income improvements im ill if idea hungry huge how households household house hosehold horrible holder history enough drive emails begin bill biggest biden biased biannually bf benefits being before billings been becoming because became barely bank back awhile billing bills automatically by care card cant cannot cancelling canceling cancel bye but bit business buggin budget broke break boyfriend both blindly away aunt email additional agree againlater again after afford adicional addtional addresses addition all activities acct accounts account access acceptance absurd about alarming allow at anticonsumer as aren are apps aparently anyways anymore any annually allowed an amounts amount amercian am also already almost cared caring caused delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined divorce decisions death days day daughter date damn cutting disgusts do cell duplicate elsewhere else eliminating el edge easily earlier each due doesnt little drastically drain down double dont done don cut customers customer choice coming come combining combine college climbing city choose checking currently cheaper charging charges charged charge changing changed change company compared competitive compromised current currency creep credit covid courtesy country costs cost continue continually continously constantly constant consolidating consider connected limiting loyal live stepdad subscriptions subscribers subscriber sub stupid stranger stopping stopped stealing summer stay states started start squeeze spouses spouse spend success support sorry thank they these there their the thats that thanks than switching terrible temporary temporarily taste talk taking take system span soon living see servicio services service series sense selection seen seems secure settled second scaling scales save same run rules rule set several son signaling something someone some so situation single since significant sign shady sight sick shoves shouldn should short she share thing things think week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why this wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will wait vs virtue told twice trying try tried tracking town tooo too today value tired tipped times time tightening tight throughout through two unable under understand vaccine ut using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rotating rising risen non off of now notified nothing not nonsense nonesence nice offered next news newest new never needed my must offer offset own option over outside out our others original or options opportunity often opening opened ontario only oneday one on ok multiple much moving lost many manservices making makes make loyalty your lower losing moved loose looking longer long lol locations location ll market married may maybe move monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me overpriced owner ripped reactivate redo rectifying recession recently recent reason really reality re reducing rather rates rate raising raises raised raise quickly reduce reflect owning restrict right
Topic 30 | Coherence=-227871.27 | Top words= price the not to increase your worth is you used pay it that for keep raised tried shady cancel dont almost offer once enough raising fact also be like willing currently are prices options support customers am something great paying fault ridiculous way last don made became high since guys from member few increasing caused isn was absurd one rising pls nonesence higher constant before original lower wont else why news another fair gonna added gone going good goes go family given additional financial fan extortion hacking expected hackednot hacked expenses expensive greedy got greed extra grandkids gouging addresses gotten face far finally had addition financially first fiance fix feet fees fixed flat focused food adding forcing forth give feel free frequent fee fuel future games garbage gas get getting gf girl forever allow half increasses joint join job jacking itself its acceptance issues issue isnt access iny intolerable into interested instead inflation just justify keeping learning letting let lesser less legacy left leave layoff keeps later laid lack kids kidding kept about increments increases hand increased hiking hikes hike acct her help health he activities every having havent have has hardly hard happy history accounts holder idea account income in improvements im ill if husband horrible hungry huge how households household house hosehold everything elsewhere even afford by but business buggin budget broke break boyfriend both blindly bit bills billings billing bill biggest after bye can checking adicional charging charges charged charge changing changes changed change cell caring cared care card cant cannot cancelling canceling biden biased biannually bf agree aren apps aparently anyways anymore any anticonsumer annually and an amounts amount amercian alarming already all as at aunt been between better again benefits benefit being begin becoming automatically because againlater barely bank back awhile away cheaper choice euro down life done doesnt do divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions double drain choose drastically especially entertainment entertaining addtional end emails email allowed eliminating el edge easily earlier each duplicate due drive death deal days day continously constantly consolidating consider connected compromised competitive compared company coming come combining combine college climbing climb city continually continue continues current daughter date damn dad cutting cut customer currency continuous creep credit covid courtesy country costs cost youre loyal limit start stopped stop stepdad stealing stay states starting started squeeze some spouses spouse spending spend span sorry soon son stopping stranger stupid sub thank than terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscription subscribers subscriber someone so thats saving selection seen seems see secure second scaling scales save situation same run rules rule rotating risen rise ripped sense series service services single significant signaling sign sight sick shoves shouldn should short she sharing share several settled set servicio thanks their limited warrant what were went well weeks week we waste wants using wanted want waiting wait vs virtue value vaccine whats when where while youll yet years yearly year yall ya wouldn would workable work won without with will wife who ut uses there tightening tooo too told today tired tipped times time tight users throughout through this think things thing they these town tracking try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right return retiring never nothing nonsense non no nice next newest new needed months need my must multiple much moving moved move notified now of off out our others other or option opportunity opening opened ontario only oneday on ok often offset offered more monthly retired longer makes make luck loyalty lost losing loose looking long month lol locations location ll living live little limiting making manservices many market money monetary moment mom mistake mind might merge memberships membership members medical means me maybe may married outside over overpriced rate recent reason really reality reactivate re rather rates raises own raise quickly quality putting put pushed provider profits recently recession rectifying
Topic 31 | Coherence=-218263.38 | Top words= prices to anymore raised new worth have not just and money fees rules back too enough will cut due budget return customers againlater tightening high gas raise fault you focused nothing aren on few join trying get better later different far opening girl agree greedy garbage games future getting gf fuel youre give grandkids had hacking hackednot hacked guys greed great gouging given gotten got good gonna gone going goes go flat from everything fact face extra extortion expensive expenses expected every family even euro especially entertainment entertaining end emails fair fan frequent fixed free forth forever forcing for food hand fix fee first financially financial finally fiance feet feel half higher happy job kids kidding kept keeps keeping keep justify joint jacking hard itself its it issues issue isnt isn is lack laid last layoff ll living live little limiting limited limit like life letting let lesser less legacy left leave learning iny intolerable into households house hosehold horrible holder history hiking hikes hike elsewhere her help health he having havent has hardly household how interested huge instead inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry email drive else being biggest biden biased biannually bf between benefits benefit begin billing before been becoming because became be barely bank bill billings away by card cant cannot cancelling canceling cancel can bye but bills business buggin broke break boyfriend both blindly bit awhile automatically eliminating adding again after afford adicional addtional addresses additional addition added all activities acct accounts account access acceptance absurd about alarming allow aunt another at as are apps aparently anyways any anticonsumer annually allowed an amounts amount amercian am also already almost care cared caring days differences didnt deteriorated delivering declined decisions death deal day disappointed daughter date damn dad cutting customer currently current direction discontinue caused drain el edge easily earlier each duplicate locations drastically down disgusting double dont done don doesnt do divorce disgusts currency creep credit cheaper combine college climbing climb city choose choice checking charging covid charges charged charge changing changes changed change cell combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared location loyal lol long stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry sub subscriber subscribers taste thats that thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions soon son something secure services service series sense selection seen seems see second set scaling scales saving save same run rule rotating servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady the their there way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while value would youll yet years yearly year yall ya wouldn workable who work wont won without with willing wife why virtue vaccine these times tried tracking town tooo told today tired tipped time twice tight throughout through this think things thing they try two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rising risen rise nonesence offset offered offer off of now notified nonsense non ok no nice next news newest never needed need often once must other owner own overpriced over outside out our others original one or options option opportunity opened ontario only oneday my multiple pagos made may married market many manservices making makes make luck me loyalty your lower lost losing loose looking longer maybe means much moment moving moved move more months monthly month monetary mom medical mistake mind might merge memberships membership members member owning parent ripped re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises quickly quality putting put redo reducing provider restart right ridiculous
Topic 32 | Coherence=-214837.51 | Top words= the will year when price every good it increase but is seems not nothing ok really added to start resume done again there us moved thats bank changing later of days jacking keep choose your biannually increases charge future warrant another greedy garbage games fuel guys hacked get from hackednot hacking gas going frequent great grandkids getting gouging gf gotten girl give got given go goes gonna gone greed youre free everything fair fact face extra extortion expensive expenses expected even fan euro especially entertainment entertaining enough end emails email family far forth first forever forcing for food focused flat had fix financially fault financial finally fiance few feet fees feel fee fixed high half lack kidding kept keeps keeping justify just joint join job itself its issues issue isnt isn iny intolerable kids laid interested last living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff into instead hand horrible history hiking hikes hike higher else her help health he having havent have has hardly hard happy holder hosehold inflation house increments increasses increasing increased income in improvements im ill if idea husband hungry huge how households household elsewhere drain eliminating before biased bf between better benefits benefit being begin been biggest becoming because became be barely back awhile away biden bill aunt buggin cannot cancelling canceling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings automatically at el addition agree againlater after afford adicional addtional addresses additional adding all activities acct accounts account access acceptance absurd about alarming allow as annually aren are apps aparently anyways anymore any anticonsumer and allowed an amounts amount amercian am also already almost cant card care day differences didnt deteriorated delivering declined decisions death deal daughter direction date damn dad cutting cut customers customer currently different disappointed cared location edge easily earlier each duplicate due drive drastically down discontinue double dont don doesnt do divorce disgusts disgusting current currency creep cheaper combining combine college climbing climb city choice checking charging credit charges charged changes changed change cell caused caring come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive ll loyal locations started stopping stopped stop stepdad stealing stay states starting squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers something some their scales series sense selection seen see secure second scaling saving services save same run rules rule rotating rising risen service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled that these ripped way whats what were went well weeks week we waste while was wants wanted want waiting wait vs virtue where who vaccine would youll you yet years yearly yall ya wouldn worth why workable work wont won without with willing wife value ut they times tracking town tooo too told today tired tipped time try tightening tight throughout through this think things thing tried trying using until uses users used use upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two rise right lol non offset offered offer off now notified nonsense nonesence no on nice next news newest new never needed need often once must original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday my multiple owning made may married market many manservices making makes make luck me loyalty lower lost losing loose looking longer long maybe means much moment moving move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member owner pagos ridiculous rate recently recent reason reality reactivate re rather rates raising rectifying raises raised raise quickly quality putting put pushed recession redo profits residence return retiring
Topic 33 | Coherence=-214568.07 | Top words= price the and since has your hike of gone was like member just drastically have span deteriorated months selection in or that up anymore oneday sorry increase earlier went gotten being times loyal stepdad after again customer afford annually bills high dont an medical one two think so every lack how willing adicional got good gonna go going goes given give girl gf getting get gas gouging any grandkids great he having havent addresses addtional hardly hard happy hand half had hacking hackednot hacked guys greedy garbage greed fuel games future feet fees feel fee fault far fan family fair fact face extra extortion expensive expenses expected everything few fiance finally for additional from frequent free forth forever forcing food financial focused flat againlater fixed fix first financially health higher help her kidding kept keeps keeping acceptance keep justify access joint join job jacking itself its it issues issue kids laid last let little limiting limited limit about life letting lesser later less absurd legacy left leave learning layoff isnt account isn horrible hungry huge activities households household house hosehold holder idea history added hiking hikes adding euro addition husband if is increasses iny intolerable into interested instead inflation increments increasing ill increases increased accounts income acct improvements im even entertainment especially break cared care card cant cannot cancelling amercian canceling amount cancel can bye by but business buggin budget caring caused cell checking am college climbing climb city choose choice cheaper change charging charges charged charge changing changes changed broke boyfriend combining both because became anticonsumer be barely bank back awhile away automatically aunt at as aren are apps aparently becoming been before biden amounts blindly bit billings billing bill biggest biased begin biannually bf between better benefits benefit another combine come anyways death living done don doesnt do divorce disgusts disgusting discontinue disappointed direction different differences didnt all delivering declined double down drain eliminating entertaining enough end emails email elsewhere else el alarming edge easily agree each duplicate due drive decisions allow coming deal almost continuous continues continue continually continously constantly constant already also consolidating consider connected compromised competitive compared company cost costs country cut days day daughter date damn dad cutting customers courtesy allowed currently current currency creep credit covid live youre ll started stranger stopping stopped stop stealing stay states starting start sub squeeze spouses spouse spending spend soon son something stupid subscriber some talk thats thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription someone situation return same seems see secure second scaling scales saving save run sense rules rule rotating rising risen rise ripped right seen series single short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services their there these we where when whats what were well weeks week way who waste warrant wants wanted want waiting wait vs while why they wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with will virtue value vaccine tired tried tracking town tooo too told today to tipped ut time tightening tight throughout through this things thing try trying twice unable using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under ridiculous retiring location non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered often must original own overpriced over outside out our others other options ok option opportunity opening opened ontario only once on my multiple retired loyalty market many manservices making makes make made luck lower may lost losing loose looking longer long lol locations married maybe much moment moving moved move more monthly month money monetary mom me mistake mind might merge memberships membership members means owner owning pagos raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession parent repurposing resume
Topic 34 | Coherence=-220164.13 | Top words= just for greedy to increase prices year starting after last additional charge raising profit profiles other this again the start take of before care need paying things first can time justify at apps bills eliminating monthly using afford climbing break value support subscription service financially keeps play left currency rise garbage gas getting gf get youre girl good greed great grandkids gouging gotten got gonna give gone future going goes go given games flat fuel everything fair fact face extra extortion expensive expenses expected every fan even euro especially entertainment entertaining enough end emails family far from fixed frequent free forth forever forcing food focused hacked fix fault financial finally fiance few feet fees feel fee guys havent hackednot issue joint join job jacking itself its it issues isnt hacking isn is iny intolerable into interested instead inflation keep keeping kept kidding limiting limited limit like life letting let lesser less legacy leave learning layoff later laid lack kids increments increasses increasing hiking hike higher high her help health he having elsewhere have has hardly hard happy hand half had hikes history increases holder increased income in improvements im ill if idea husband hungry huge how households household house hosehold horrible email dont else being biden biased biannually bf between better benefits benefit begin away been becoming because became be barely bank back biggest bill billing billings card cant cannot cancelling canceling cancel bye by but business buggin budget broke boyfriend both blindly bit awhile automatically caring adding all alarming agree againlater adicional addtional addresses addition added aunt activities acct accounts account access acceptance absurd about allow allowed almost already as aren are aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also cared caused el death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts edge easily earlier each duplicate due drive drastically drain down double live done don doesnt do divorce customers currently cell choice coming come combining combine college climb city choose checking current cheaper charging charges charged changing changes changed change company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected little loyal living spouses stopped stop stepdad stealing stay states started squeeze spouse stranger spending spend span sorry soon son something someone stopping stupid so taste thats that thanks thank than terrible temporary temporarily talk sub taking system switching summer success subscriptions subscribers subscriber some situation return save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen ripped right selection series single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio their there these week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why they would youll you yet years yearly yall ya wouldn worth wife workable work wont won without with willing will wait vs virtue today trying try tried tracking town tooo too told tired vaccine tipped times tightening tight throughout through think thing twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ridiculous retiring ll next notified nothing not nonsense nonesence non no nice news off newest new never needed my must multiple much now offer moved opened our others original or options option opportunity opening ontario offered only oneday one once on ok often offset moving move retired lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married more might months month money monetary moment mom mistake mind merge may memberships membership members member medical means me maybe out outside over raises reason really reality reactivate re rather rates rate raised recently raise quickly quality putting put pushed provider profits recent recession overpriced repurposing resume
Topic 35 | Coherence=-208422.08 | Top words= price other continually one have the increasing finally direction scales tipped selection goes new more in while services value benefit climb access delivering little point aparently high history throughout with than limiting raises ridiculous constant subscription pop outside getting gf greed free frequent from great grandkids gouging gotten fuel got future games good garbage gonna gas gone going go given get give forth girl flat forever euro extra extortion expensive expenses expected everything every even especially fact entertainment entertaining enough end emails email elsewhere else face fair forcing financial for food focused guys fixed fix first financially fiance family few feet fees feel fee fault far fan greedy youre hacked itself keeping keep justify just joint join job jacking its kept it issues issue isnt isn is iny intolerable keeps kidding interested less live limited limit like life letting let lesser legacy kids left leave learning layoff later last laid lack into instead hackednot havent hikes hike higher her help health he having has holder el hardly hard happy hand half had hacking hiking horrible inflation ill increments increasses increases increased increase income improvements im if hosehold idea husband hungry huge how households household house eliminating drain edge becoming bf between better benefits being begin before been because biased became be barely bank back awhile away automatically biannually biden at broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as cancelling addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all aren and are apps anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed canceling cannot easily date deteriorated declined decisions death deal days day daughter damn differences dad cutting cut customers customer currently current currency didnt different credit double earlier each duplicate due drive drastically ll down dont disappointed done don doesnt do divorce disgusts disgusting discontinue creep covid cant changing choose choice checking cheaper charging charges charged charge changes climbing changed change cell caused caring cared care card city college courtesy consolidating country costs cost continuous continues continue continously constantly consider combine connected compromised competitive compared company coming come combining living loyal location starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son taste their thats that thanks thank terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions soon something these scaling service series sense seen seems see secure second saving set save same run rules rule rotating rising risen servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady there they ripped we when whats what were went well weeks week way who waste was warrant wants wanted want waiting wait where why virtue wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vs vaccine thing to try tried tracking town tooo too told today tired twice times time tightening tight through this think things trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rise right locations no of now notified nothing not nonsense nonesence non nice offer next news newest never needed need my must off offered much opportunity over out our others original or options option opening offset opened ontario only oneday once on ok often multiple moving own loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe moved mistake move months monthly month money monetary moment mom mind me might merge memberships membership members member medical means overpriced owner return rates recently recent reason really reality reactivate re rather rate rectifying raising raised raise quickly quality putting put pushed recession redo profits residence retiring retired
Topic 36 | Coherence=-221984.93 | Top words= worth no it is good price for me the charge extra ut college anyways longer service when bye uses with re she sign in thank daughter value my been too its increases expensive money vs family cost now enough run members legacy currently respect frequent isnt was sharing more subscriptions reside overpriced replace agree caused forth from forever forcing fuel free youre future games gouging gotten got gonna gone going goes go given give girl getting get gas garbage gf fiance food fact extortion expenses expected everything every even euro especially entertainment entertaining end emails email elsewhere else face fair focused fan flat fixed fix first financially financial finally great few feet fees feel fee fault far grandkids have greed isn just joint join job jacking itself issues issue iny greedy intolerable into interested instead inflation increments increasses increasing justify keep keeping keeps like life letting let lesser less left leave learning layoff later last laid lack kids kidding kept increased increase income high help health he having havent el has hardly hard happy hand half had hacking hackednot hacked guys her higher improvements hike im ill if idea husband hungry huge how households household house hosehold horrible holder history hiking hikes eliminating done edge because between better benefits benefit being begin before becoming became biannually be barely bank back awhile away automatically aunt bf biased cancelling break cancel can by but business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest at as aren adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater alarming all allow apps aparently anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed canceling cannot easily day didnt deteriorated delivering declined decisions death deal days date different damn dad cutting cut customers customer current currency differences direction cant double earlier each duplicate due drive drastically drain down dont disappointed limited don doesnt do divorce disgusts disgusting discontinue creep credit covid charged climb city choose choice checking cheaper charging charges changing courtesy changes changed change cell caring cared care card climbing combine combining come country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming limit loyal limiting squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger thats take thanks than terrible temporary temporarily taste talk taking system stupid switching support summer success subscription subscribers subscriber sub someone some so same seems see secure second scaling scales saving save rules situation rule rotating rising risen rise ripped right ridiculous seen selection sense series single since significant signaling sight sick shoves shouldn should short share shady several settled set servicio services that their little way whats what were went well weeks week we waste while warrant wants wanted want waiting wait virtue vaccine where who there wouldn youll you yet years yearly year yall ya would why workable work wont won without willing will wife using users used tightening tooo told today to tired tipped times time tight use throughout through this think things thing they these town tracking tried try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying return retiring retired next of notified nothing not nonsense nonesence non nice news offer newest new never needed need must multiple much off offered resume opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moving moved move losing makes make made luck loyalty your lower lost loose months looking long lol locations location ll living live making manservices many market monthly month monetary moment mom mistake mind might merge memberships membership member medical means maybe may married out outside over quickly reactivate rather rates rate raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reality really reason recent
Topic 37 | Coherence=-216624.68 | Top words= to continue yet squeeze go prices try switching expensive even and out so people compared others up more got of my own you married get her feet wife money date payment last has raise right raised grandkids gas garbage games gouging free future fuel guys great from hacked greed gotten given greedy getting gf good gonna girl gone going goes give frequent focused forth euro fact face extra extortion expenses expected everything every especially forever entertainment entertaining enough end emails email elsewhere else fair family fan far forcing for food hacking flat fixed fix first financially financial finally fiance few fees feel fee fault hackednot youre had itself keeping keep justify just joint join job jacking its kept it issues issue isnt isn is iny intolerable keeps kidding interested lesser little limiting limited limit like life letting let less kids legacy left leave learning layoff later laid lack into instead half health holder history hiking hikes hike higher high help he hosehold having havent have el hardly hard happy hand horrible house inflation improvements increments increasses increasing increases increased increase income in im household ill if idea husband hungry huge how households eliminating drive edge at bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biannually biased biden broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as cancelling aren againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree alarming all annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed canceling cannot easily credit didnt deteriorated delivering declined decisions death deal days day daughter damn dad cutting cut customers customer currently current currency differences different direction double earlier each duplicate due living drastically drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue creep covid cant courtesy city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused caring cared care card climb climbing college constant country costs cost continuous continues continually continously constantly consolidating combine consider connected compromised competitive company coming come combining live loyal ll states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start spouses spouse spending spend span sorry sub subscribers son temporarily the thats that thanks thank than terrible temporary taste subscription talk taking take system support summer success subscriptions soon something there second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set someone sick some situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their these location way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while value worth youll years yearly year yall ya wouldn would workable who work wont won without with willing will why virtue vaccine they times tracking town tooo too told today tired tipped time trying tightening tight throughout through this think things thing tried twice ut upcoming using uses users used use us upward upping until two unneeded unnecessary unfortunately unfair unemployed understand under unable rising risen rise non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered often multiple option overpriced over outside our other original or options opportunity ok opening opened ontario only oneday one once on must much ripped your many manservices making makes make made luck loyalty lower may lost losing loose looking longer long lol locations market maybe moving mistake moved move months monthly month monetary moment mom mind me might merge memberships membership members member medical means owner owning pagos re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises quickly quality putting put redo reducing parent restart ridiculous
Topic 38 | Coherence=-225527.00 | Top words= to money and the don need save as it use services other trying have losing service job just dont much month due this you spend down waste some continues time now get enough on my learning rising would possible rather of barely keeps drain charging before months another right second good been temporarily prefer scaling platforms free afford reduce forcing for forth from frequent forever last fuel given got gonna gone going goes go give future girl gf getting gas garbage games food fees focused fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining end emails fact letting flat family fixed fix first financially financial finally fiance few feet gouging feel fee fault far fan gotten let grandkids iny into interested instead inflation increments increasses leave increasing increases increased increase income in improvements left im ill intolerable is if isn lack kids kidding kept keeping keep justify joint join jacking itself its later issues issue layoff isnt legacy idea great health having havent elsewhere has hardly hard happy hand laid half had hacking hackednot hacked guys greedy greed he help husband lesser hungry huge how households household less house hosehold horrible holder history hiking hikes hike higher high her email youre else being biden biased biannually bf between better benefits benefit begin bill becoming because became be bank back awhile away biggest billing card business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at adding againlater again after adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed cant care eliminating daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different cared double el edge easily earlier each duplicate drive drastically done direction like doesnt do divorce disgusts disgusting discontinue disappointed currency creep credit charges college climbing climb city choose choice checking cheaper charged covid charge changing changes changed change cell caused caring combine combining come coming courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared company life loyal limit starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending span sorry soon stupid subscriber limited talk thats that thanks thank than terrible temporary taste taking subscribers take system switching support summer success subscriptions subscription son something someone same sense selection seen seems see secure scales saving run so rules rule rotating risen rise ripped ridiculous return series servicio set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several their there these week where when whats what were went well weeks we virtue way was warrant wants wanted want waiting wait while who why wife youll yet years yearly year yall ya wouldn worth workable work wont won without with willing will vs value they tired try tried tracking town tooo too told today tipped vaccine times tightening tight throughout through think things thing twice two unable under ut using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand retiring retired resume news nothing not nonsense nonesence non no nice next newest monthly new never needed must multiple moving moved move notified off offer offered our others original or options option opportunity opening opened ontario only oneday one once ok often offset more monetary outside longer made luck loyalty your lower lost loose looking long moment lol locations location ll living live little limiting make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many out over resubscribe raise reality reactivate re rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles really reason recent recently
Topic 39 | Coherence=-223442.75 | Top words= one need dont you subscriptions have so with only other subscription in needed expensive choose not between made we moved that already two do are why into kids putting me put forth services activities this guys good want house my like anymore or significant boyfriend households has to household combine signaling remarried political been wife virtue family merge hard newest going gone got gonna annually goes gotten given give girl gf getting go after gouging had adicional hardly afford happy hand half hacking grandkids hackednot hacked gas greedy greed great get fuel garbage games feet fees feel fee fault againlater agree far fan fair fact face extra extortion alarming expenses expected few fiance finally forcing future having from frequent free again forever for financial food focused flat fixed fix first financially havent addresses he access keep justify just joint join job jacking itself acceptance its it issues issue isnt isn is iny keeping absurd keeps leave life letting let lesser less legacy left learning kept layoff later last laid lack about kidding intolerable interested health instead huge how addition additional hosehold horrible holder history hiking hikes hike higher high her every help addtional hungry husband idea increase inflation increments increasses increasing increases increased account income if accounts improvements acct added adding im ill everything entertaining even caring care card cant cannot cancelling canceling cancel amercian can bye by but business buggin budget broke break cared caused euro cell climbing climb city almost choice checking cheaper charging charges charged charge also am changing changes changed change amount both blindly bit be barely bank back awhile away automatically aunt at as aren and apps aparently anyways any anticonsumer became because becoming biannually bills billings billing bill biggest biden biased bf before amounts better benefits benefit being an begin college combining come declined down double limit done don doesnt all divorce disgusts disgusting discontinue disappointed direction different differences didnt deteriorated drain drastically drive elsewhere especially entertainment another enough end emails email else due eliminating el edge easily earlier each duplicate delivering decisions coming death costs cost continuous continues continue allowed continually continously constantly constant consolidating consider connected compromised competitive compared company country courtesy covid dad deal days day daughter date damn allow cutting credit cut customers customer currently current currency creep youre loyal limited squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger limiting taking thanks thank than terrible temporary temporarily taste talk take stupid system switching support summer success subscribers subscriber sub someone some situation same seems see secure second scaling scales saving save run single rules rule rotating rising risen rise ripped right seen selection sense series since sign sight sick shoves shouldn should short she sharing share shady several settled set servicio service thats the their waste whats what were went well weeks week way was using warrant wants wanted waiting wait vs value vaccine when where while who youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will ut uses there time town tooo too told today tired tipped times tightening users tight throughout through think things thing they these tracking tried try trying used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice ridiculous return retiring nice of now notified nothing nonsense nonesence non no next months news new never must multiple much moving move off offer offered offset over outside out our others original options option opportunity opening opened ontario oneday once on ok often more monthly own looking make luck loyalty your lower lost losing loose longer month long lol locations location ll living live little makes making manservices many money monetary moment mom mistake mind might memberships membership members member medical means maybe may married market overpriced owner retired raising reason really reality reactivate re rather rates rate raises problem raised raise quickly quality pushed provider profits profit recent recently recession rectifying
Topic 40 | Coherence=-227092.08 | Top words= and is going prices up long it the am keeps just this when increasing was we cost fixed income of times amount on started no about saving feel like rates there to be additional quality don went only nonsense for users back break subscriber been retired non as biggest taking down bit fee year stop deal much customer membership ll get bye access price garbage future fuel games goes greedy gas gone gonna good go given got give gotten girl gouging gf getting grandkids great greed youre first from expenses family fair fact face extra extortion expensive expected frequent everything every even euro especially entertainment entertaining fan far fault fees free forth forever forcing food focused flat fix hacked financially financial finally fiance few feet guys hike hackednot hacking joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments justify keep keeping leave life letting let lesser less legacy left learning kept layoff later last laid lack kids kidding increasses increases increased havent higher high her help health he having have hikes has hardly hard happy hand half had end hiking increase hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder enough dont emails better billings billing bill biden biased biannually bf between benefits awhile benefit being begin before becoming because became barely bills blindly both boyfriend caused caring cared care card cant cannot cancelling canceling cancel can by but business buggin budget broke bank away email addresses alarming agree againlater again after afford adicional addtional addition automatically adding added activities acct accounts account acceptance absurd all allow allowed almost aunt at aren are apps aparently anyways anymore any anticonsumer another annually an amounts amercian also already cell change changed declined discontinue disappointed direction different differences didnt deteriorated delivering decisions changes death days day daughter date damn dad cutting disgusting disgusts divorce do elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain double limited done doesnt cut customers currently compared coming come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing company competitive current compromised currency creep credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected limit loyal limiting spending stealing stay states starting start squeeze spouses spouse spend stopped span sorry soon son something someone some so stepdad stopping return system thank than terrible temporary temporarily taste talk take switching stranger support summer success subscriptions subscription subscribers sub stupid situation single since same seen seems see secure second scaling scales save run significant rules rule rotating rising risen rise ripped right selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thanks that thats way while where whats what were well weeks week waste vaccine warrant wants wanted want waiting wait vs virtue who why wife will youll you yet years yearly yall ya wouldn would worth workable work wont won without with willing value ut their time tracking town tooo too told today tired tipped tightening using tight throughout through think things thing they these tried try trying twice uses used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring little newest now notified nothing not nonesence nice next news new offer never needed need my must multiple moving moved off offered resume option outside out our others other original or options opportunity offset opening opened ontario oneday one once ok often move more months lost making makes make made luck loyalty your lower losing monthly loose looking longer lol locations location living live manservices many market married month money monetary moment mom mistake mind might merge memberships members member medical means me maybe may over overpriced own raises reason really reality reactivate re rather rate raising raised problem raise quickly putting put pushed provider profits profit recent recently recession rectifying
Topic 41 | Coherence=-229250.16 | Top words= and subscription the my don extra increase family with of using about share that money want outside bill power states paying like news idea limit price sharing for pay bye married limited talk recent won need husband two got people memberships agree me subscriptions hosehold cant an have recently stopping unable dont spouses charge support into currently fair current hikes payday out able amount because before gonna greed great grandkids gouging gotten all good allow guys allowed almost gone already going goes go greedy againlater alarming hardly help health he having havent again has hard give happy hand half had hacking hackednot hacked given girl high few fix first financially amercian financial finally fiance feet gf fees feel fee fault far fan amounts fixed am flat focused getting get gas garbage games future fuel from frequent free forth forever forcing also food her higher face access keep justify just joint join job jacking itself keeps its account it issues issue isnt isn keeping kept hike left absurd acceptance letting let lesser less legacy leave kidding learning layoff later last laid lack kids accounts is iny household additional addresses addtional hungry huge how households house intolerable adicional horrible holder history afford hiking after if ill addition adding acct interested instead inflation activities increments increasses increasing increases increased added income in improvements im fact annually begin automatically at checking cheaper charging charges charged aunt away choose changing awhile changes changed change cell back choice city caring company constant consolidating consider connected compromised competitive compared coming climb aren come combining combine college as climbing caused cared extortion biannually bit bills billings billing biggest biden biased bf both between better benefits becoming been benefit being blindly boyfriend care cancel card bank cannot barely cancelling be canceling can break became by but business buggin budget broke constantly continously continually drastically edge easily earlier each duplicate due drive drain eliminating down life any done anymore doesnt do el else continue another expensive expenses expected everything every even euro anticonsumer elsewhere especially entertainment entertaining enough end emails email divorce disgusts disgusting creep customers customer anyways aparently apps are currency credit discontinue covid courtesy country costs cost continuous continues cut cutting dad damn disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date double youre limiting squeeze stopped stop stepdad stealing stay starting started start spouse so spending spend span sorry soon son something someone stranger stupid sub subscriber there their thats thanks thank than terrible temporary temporarily taste taking take system switching summer success subscribers some situation they save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series service since significant signaling sign sight sick shoves shouldn should short she shady several settled set servicio services these thing little week where when whats what were went well weeks we virtue way waste was warrant wants wanted waiting wait while who why wife youll you yet years yearly year yall ya wouldn would worth workable work wont without willing will vs value things tired tried tracking town tooo too told today to tipped vaccine times time tightening tight throughout through this think try trying twice under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand right ridiculous return nice now notified nothing not nonsense nonesence non no next move newest new never needed must multiple much moving off offer offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often moved more retiring loose make made luck loyalty your lower lost losing looking months longer long lol locations location ll living live makes making manservices many monthly month monetary moment mom mistake mind might merge membership members member medical means maybe may market our over overpriced raising reason really reality reactivate re rather rates rate raises own raised raise quickly quality putting put pushed provider recession rectifying redo
Topic 42 | Coherence=-220670.13 | Top words= can it afford this time prices at lost pay but stop customer raising damn job long with into money using my not right these put to success willing now high some think way yall mind am month vaccine due just interested until twice day any waiting longer made far charge card fee entertainment give entertaining girl gf get getting end gas garbage especially euro games enough goes given gotten greedy greed great grandkids gouging email emails go got good gonna gone going even future from fuel every extortion financial finally guys extra face fact fair family fan fiance few feet fault fees financially first expensive forever feel everything frequent expected free forth forcing fix for food focused flat expenses fixed youre her hacked keeping justify joint join jacking itself its issues issue isnt isn is iny intolerable instead inflation increments increasses keep keeps hackednot kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding increasing increases increased increase hike higher else help health he having havent have has hardly hard happy hand half had hacking hikes hiking history husband income in improvements im ill if idea hungry holder huge how households household house hosehold horrible elsewhere done eliminating been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden cant broke cancelling canceling cancel bye by business buggin budget break biggest boyfriend both blindly bit bills billings billing bill automatically aunt as adding againlater again after adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore anticonsumer another annually and an amounts amount amercian also already almost allowed cannot care el days differences didnt deteriorated delivering declined decisions death deal daughter direction date dad cutting cut customers currently current currency different disappointed cared down edge easily earlier each duplicate drive drastically drain double discontinue dont limited don doesnt do divorce disgusts disgusting creep credit covid charging college climbing climb city choose choice checking cheaper charges courtesy charged changing changes changed change cell caused caring combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company limit loyal limiting spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone so situation stealing stopped retiring switching terrible temporary temporarily taste talk taking take system support stopping summer subscriptions subscription subscribers subscriber sub stupid stranger single since significant same seems see secure second scaling scales saving save run signaling rules rule rotating rising risen rise ripped ridiculous seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service than thank thanks we when whats what were went well weeks week waste ut was warrant wants wanted want wait vs virtue where while who why youll you yet years yearly year ya wouldn would worth workable work wont won without will wife value uses that tight tooo too told today tired tipped times tightening throughout users through things thing they there their the thats town tracking tried try used use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two trying return retired little no offer off of notified nothing nonsense nonesence non nice offset next news newest new never needed need must offered often resume option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on multiple much moving lower many manservices making makes make luck loyalty your losing moved loose looking lol locations location ll living live market married may maybe move more months monthly monetary moment mom mistake might merge memberships membership members member medical means me over overpriced own raises reason really reality reactivate re rather rates rate raised problem raise quickly quality putting pushed provider profits profit recent recently recession rectifying
 90%|████████▉ | 43/48 [2:54:22<31:41, 380.25s/it]
Topic 43 | Coherence=-220847.12 | Top words= my subscription has and an in with you already your will moving if charge he im of bf no company support parents like husband using longer playing subscribers games wife prices tired another financial location spouse her what ontario new over situation need seen changed that spend notified help want leave recently fault due girl get enough gas garbage getting gf every give gotten greed great grandkids email emails gouging got given good gonna end gone goes go going frequent future fuel few feet fees feel fee even far fan family fair fact face extra extortion expensive expenses expected fiance finally financially forever entertaining from everything entertainment free especially forth forcing first euro greedy food focused flat fixed fix for youre guys hacked just joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested justify keep keeping learning life letting let lesser less legacy left layoff keeps later last laid lack kids kidding kept instead inflation increments have hike higher high health else having havent hardly hiking hard happy hand half had hacking hackednot hikes history increasses idea increasing increases increased increase income improvements ill hungry holder huge how households household house hosehold horrible elsewhere double eliminating el biden biased biannually between better benefits benefit being begin before been becoming because became be barely bank back awhile biggest bill billing business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at anticonsumer as aren are apps aparently anyways anymore any annually all amounts amount amercian am also almost allowed allow cant card care days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current down edge easily earlier each duplicate drive drastically drain limited discontinue dont done don doesnt do divorce disgusts disgusting currently currency cared cheaper combine college climbing climb city choose choice checking charging come charges charged changing changes change cell caused caring combining coming creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive limit loyal limiting start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spending span sorry soon son something someone stopping stupid ridiculous taste the thats thanks thank than terrible temporary temporarily talk sub taking take system switching summer success subscriptions subscriber some so single save selection seems see secure second scaling scales saving same since run rules rule rotating rising risen rise ripped sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio their there these waste whats were went well weeks week we way was ut warrant wants wanted waiting wait vs virtue value when where while who youll yet years yearly year yall ya wouldn would worth workable work wont won without willing why vaccine uses they times tracking town tooo too told today to tipped time users tightening tight throughout through this think things thing tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right return little nice offer off now nothing not nonsense nonesence non next offset news newest never needed must multiple much moved offered often retiring options overpriced outside out our others other original or option ok opportunity opening opened only oneday one once on move more months lost manservices making makes make made luck loyalty lower losing monthly loose looking long lol locations ll living live many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe own owner owning rate recent reason really reality reactivate re rather rates raising profits raises raised raise quickly quality putting put pushed recession rectifying redo reduce
Average topic coherence for the top words is -220467.81784460618
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.09it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.18it/s]
  6%|▌         | 3/50 [00:00<00:09,  5.15it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.12it/s]
 10%|█         | 5/50 [00:00<00:08,  5.12it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.11it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.11it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.14it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.15it/s]
 20%|██        | 10/50 [00:01<00:07,  5.13it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.14it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.13it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.15it/s]
 28%|██▊       | 14/50 [00:02<00:07,  5.13it/s]
 30%|███       | 15/50 [00:02<00:06,  5.13it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.13it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.14it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.13it/s]
 38%|███▊      | 19/50 [00:03<00:06,  5.08it/s]
 40%|████      | 20/50 [00:03<00:05,  5.08it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.10it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.10it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.12it/s]
 48%|████▊     | 24/50 [00:04<00:05,  5.14it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.12it/s]
 52%|█████▏    | 26/50 [00:05<00:04,  5.13it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.14it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.14it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.14it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.16it/s]
 62%|██████▏   | 31/50 [00:06<00:03,  5.17it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.16it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.14it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.15it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.13it/s]
 72%|███████▏  | 36/50 [00:07<00:02,  5.13it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.13it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.13it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.13it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.14it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.13it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.16it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.16it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.16it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.16it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.12it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.12it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.11it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.11it/s]
100%|██████████| 50/50 [00:09<00:00,  5.13it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.49it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.47it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.47it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.45it/s]
 10%|█         | 5/50 [00:00<00:06,  6.46it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.45it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.43it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.42it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.40it/s]
 20%|██        | 10/50 [00:01<00:06,  6.41it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.42it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.40it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.42it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.43it/s]
 30%|███       | 15/50 [00:02<00:05,  6.41it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.42it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.43it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.43it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.41it/s]
 40%|████      | 20/50 [00:03<00:04,  6.40it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.40it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.42it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.41it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.41it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.40it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.40it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.41it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.35it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.33it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.35it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.36it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.35it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.37it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.33it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.34it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.34it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.37it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.38it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.40it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.38it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.39it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.40it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.39it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.39it/s]
 90%|█████████ | 45/50 [00:07<00:00,  6.38it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.40it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.42it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.41it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.40it/s]
100%|██████████| 50/50 [00:07<00:00,  6.40it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.45it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.43it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.44it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.43it/s]
 10%|█         | 5/50 [00:01<00:13,  3.42it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.40it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.40it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.42it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.42it/s]
 20%|██        | 10/50 [00:02<00:11,  3.43it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.43it/s]
 24%|██▍       | 12/50 [00:03<00:11,  3.44it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.44it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.44it/s]
 30%|███       | 15/50 [00:04<00:10,  3.43it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.42it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.44it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.43it/s]
 38%|███▊      | 19/50 [00:05<00:09,  3.44it/s]
 40%|████      | 20/50 [00:05<00:08,  3.43it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.42it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.42it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.42it/s]
 48%|████▊     | 24/50 [00:07<00:07,  3.39it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.39it/s]
 52%|█████▏    | 26/50 [00:07<00:07,  3.39it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.40it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.42it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.41it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.42it/s]
 62%|██████▏   | 31/50 [00:09<00:05,  3.42it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.42it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.43it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.43it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.42it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.42it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.42it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.43it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.42it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.42it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.43it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.41it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.40it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.41it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.42it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.42it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.43it/s]
 96%|█████████▌| 48/50 [00:14<00:00,  3.43it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.42it/s]
100%|██████████| 50/50 [00:14<00:00,  3.42it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.64it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.66it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.67it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.67it/s]
 10%|█         | 5/50 [00:01<00:16,  2.66it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.66it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.64it/s]
 16%|█▌        | 8/50 [00:03<00:15,  2.65it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.66it/s]
 20%|██        | 10/50 [00:03<00:15,  2.65it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.66it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.66it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.66it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.66it/s]
 30%|███       | 15/50 [00:05<00:13,  2.66it/s]
 32%|███▏      | 16/50 [00:06<00:12,  2.66it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.67it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.65it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.66it/s]
 40%|████      | 20/50 [00:07<00:11,  2.66it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.64it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.64it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.64it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.65it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.65it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.65it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.65it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.65it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.66it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.65it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.65it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.65it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.66it/s]
 68%|██████▊   | 34/50 [00:12<00:06,  2.66it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.64it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.64it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.64it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.63it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.62it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.64it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.65it/s]
 84%|████████▍ | 42/50 [00:15<00:03,  2.64it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.64it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.65it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.65it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.65it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.65it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.65it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.64it/s]
100%|██████████| 50/50 [00:18<00:00,  2.65it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:28,  1.74it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.74it/s]
  6%|▌         | 3/50 [00:01<00:27,  1.74it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.73it/s]
 10%|█         | 5/50 [00:02<00:26,  1.73it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.73it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.73it/s]
 16%|█▌        | 8/50 [00:04<00:24,  1.72it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.73it/s]
 20%|██        | 10/50 [00:05<00:23,  1.73it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.73it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.73it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.73it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.74it/s]
 30%|███       | 15/50 [00:08<00:20,  1.74it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.74it/s]
 34%|███▍      | 17/50 [00:09<00:19,  1.73it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.73it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.73it/s]
 40%|████      | 20/50 [00:11<00:17,  1.73it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.74it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.74it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.74it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.73it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.73it/s]
 52%|█████▏    | 26/50 [00:15<00:13,  1.73it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.73it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.73it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.73it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.73it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.74it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.74it/s]
 66%|██████▌   | 33/50 [00:19<00:09,  1.74it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.74it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.73it/s]
 72%|███████▏  | 36/50 [00:20<00:08,  1.73it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.73it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.74it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.74it/s]
 80%|████████  | 40/50 [00:23<00:05,  1.74it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.73it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.74it/s]
 86%|████████▌ | 43/50 [00:24<00:04,  1.74it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.73it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.73it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.73it/s]
 94%|█████████▍| 47/50 [00:27<00:01,  1.73it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.73it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.73it/s]
100%|██████████| 50/50 [00:28<00:00,  1.73it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.66it/s]
Topic 0 | Coherence=-221230.82 | Top words= in the it my time you just moved many use can months as dont last subscriptions by two see other house with one of need significant off worth sick being short ripped amount our lol multiple increases users cheaper climb someone free gf people extra keep euro spend gouging goes good gonna from gone fuel going greedy future got get girl grandkids greed go getting gotten games great given give frequent garbage gas focused forth even fact face extortion expensive expenses expected everything every especially forever entertainment entertaining enough end emails email elsewhere else fair family fan far forcing for food flat fixed fix first financially financial finally fiance few feet fees feel fee fault guys he hacked keeping joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead inflation justify keeps hackednot kept limit like life letting let lesser less legacy left leave learning layoff later laid lack kids kidding increments increasses increasing increased higher high her help health el having havent have has hardly hard happy hand half had hacking hike hikes hiking husband increase income improvements im ill if idea hungry history huge how households household hosehold horrible holder eliminating youre edge easily biannually bf between better benefits benefit begin before been becoming because became be barely bank back awhile away automatically biased biden biggest budget cannot cancelling canceling cancel bye but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at aren adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amounts amercian am also already almost allowed allow cant card care day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency double earlier each duplicate due drive drastically drain down limiting disappointed done don doesnt do divorce disgusts disgusting discontinue current creep cared charges combine college climbing city choose choice checking charging charged come charge changing changes changed change cell caused caring combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared limited loyal little starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending span sorry soon stupid subscriber there taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscription son something some save selection seen seems secure second scaling scales saving same so run rules rule rotating rising risen rise right sense series service services situation single since signaling sign sight shoves shouldn should she sharing share shady several settled set servicio their these return way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while they would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why virtue value vaccine tipped tracking town tooo too told today to tired times ut tightening tight throughout through this think things thing tried try trying twice using uses used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring live no offer now notified nothing not nonsense nonesence non nice offset next news newest new never needed must much offered often owning options own overpriced over outside out others original or option ok opportunity opening opened ontario only oneday once on moving move more lost making makes make made luck loyalty your lower losing monthly loose looking longer long locations location ll living manservices market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe owner pagos retired raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession parent repurposing resume
Topic 1 | Coherence=-219268.43 | Top words= and my in to me you on live subscription that for charge different going re kids two be another money more keep use won city intolerable unfair addresses both been because want fair able stealing even havent years from yall using how membership up kidding profits spend places less get go mom gf elsewhere since hiking enough climb hikes today focused rules getting goes gas girl give garbage given games hackednot activities gotten guys greedy greed great grandkids gouging got half future hacking good gonna had hacked gone forcing fuel frequent far fan family adding fact face extra extortion expensive expenses addition expected everything every euro especially entertainment fault fee feel fixed free forth forever happy added food flat fix fees first financially financial finally fiance few feet hand he hard itself absurd justify just joint join job jacking its keeps it issues issue isnt isn acceptance is keeping kept access legacy limited limit like life letting let lesser left about leave learning layoff later last laid lack iny into hardly hike household house hosehold horrible holder history acct higher huge high her help health having have has households hungry interested increased instead inflation increments increasses account increasing increases increase husband income accounts improvements im ill if idea entertaining amercian end bye by but business buggin budget broke break boyfriend again blindly bit bills billings billing bill biggest biden after can againlater cancel charged adicional changing afford changes changed change cell caused caring cared care card cant cannot cancelling canceling biased biannually emails automatically almost at as aren are apps aparently anyways anymore any anticonsumer already also annually am an amounts aunt away bf awhile between better benefits benefit being begin before agree alarming becoming all became allow allowed barely bank back charges charging cheaper doesnt divorce disgusts disgusting discontinue disappointed direction additional differences didnt deteriorated delivering declined decisions death deal days day do limiting checking done email amount else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont daughter date damn dad constant consolidating consider connected compromised competitive compared company coming come combining combine college climbing addtional choose choice constantly continously continually creep cutting cut customers customer currently current currency credit continue covid courtesy country costs cost continuous continues don youre little spending stay states starting started start squeeze spouses spouse span stop sorry soon son something someone some so situation stepdad stopped thank switching terrible temporary temporarily taste talk taking take system support stopping summer success subscriptions subscribers subscriber sub stupid stranger single significant signaling run see secure second scaling scales saving save same rule sign rotating rising risen rise ripped right ridiculous return seems seen selection sense sight sick shoves shouldn should short she sharing share shady several settled set servicio services service series than thanks retired waste what were went well weeks week we way was when warrant wants wanted waiting wait vs virtue value whats where thats workable youll yet yearly year ya wouldn would worth work while wont without with willing will wife why who vaccine ut uses through told tired tipped times time tightening tight throughout this users think things thing they these there their the too tooo town tracking used us upward upping upcoming until unneeded unnecessary unfortunately unemployed understand under unable twice trying try tried retiring resume living no of now notified nothing not nonsense nonesence non nice offer next news newest new never needed need must off offered over opportunity out our others other original or options option opening offset opened ontario only oneday one once ok often multiple much moving lost making makes make made luck loyalty your lower losing moved loose looking longer long lol locations location ll manservices many market married move months monthly month monetary moment mistake mind might merge memberships members member medical means maybe may outside overpriced resubscribe raise reality reactivate rather rates rate raising raises raised quickly reason quality putting put pushed provider profit profiles problem really recent own rent restriction
Topic 2 | Coherence=-218208.18 | Top words= you is my and good no re anyways college it she uses charge your ut daughter subscriptions going sign married thank two extra don need for bye husband got memberships when its now been respect after in run legacy getting members have recently consolidating keeps merge households benefits paying raising provider go future free frequent gouging greedy gotten from greed grandkids end fuel games given gonna garbage gas get email great gf gone girl give goes emails expenses forth even fees feel every fee fault far fan everything family fair expected fact face extortion expensive feet few forever euro forcing food enough flat fixed fix entertaining first financially guys entertainment financial finally fiance especially focused youre hacked kept keep justify just joint join job jacking itself issues issue isnt isn iny intolerable into interested instead keeping kidding hackednot kids limiting limited limit like life letting let lesser less left leave learning layoff later last laid lack inflation increments increasses increasing hike higher high her help health he elsewhere havent has hardly hard happy hand half had hacking hikes hiking history if increases increased increase income improvements im ill idea holder hungry huge how household house hosehold horrible having drive else before biased biannually bf between better benefit being begin becoming biggest because became be barely bank back awhile away biden bill aunt buggin cannot cancelling canceling cancel can by but business budget billing broke break boyfriend both blindly bit bills billings automatically at card adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as annually aren are apps aparently anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cant care eliminating deal different differences didnt deteriorated delivering declined decisions death days disappointed day date damn dad cutting cut customers customer direction discontinue current drastically el edge easily earlier each duplicate due live drain disgusting down double dont done doesnt do divorce disgusts currently currency cared charging combine climbing climb city choose choice checking cheaper charges come charged changing changes changed change cell caused caring combining coming creep continue credit covid courtesy country costs cost continuous continues continually company continously constantly constant consider connected compromised competitive compared little loyal living stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting started start squeeze spouses spouse spending spend subscriber subscription sorry temporary there their the thats that thanks than terrible temporarily success taste talk taking take system switching support summer span soon risen secure services service series sense selection seen seems see second set scaling scales saving save same rules rule rotating servicio settled son signaling something someone some so situation single since significant sight several sick shoves shouldn should short sharing share shady these they thing we where whats what were went well weeks week way who waste was warrant wants wanted want waiting wait while why things would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs virtue value tired tried tracking town tooo too told today to tipped vaccine times time tightening tight throughout through this think try trying twice unable using users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rising rise ll not often offset offered offer off of notified nothing nonsense on nonesence non nice next news newest new never ok once must original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday needed multiple ripped lower many manservices making makes make made luck loyalty lost may losing loose looking longer long lol locations location market maybe much monetary moving moved move more months monthly month money moment me mom mistake mind might membership member medical means owner owning pagos rates rectifying recession recent reason really reality reactivate rather rate reduce raises raised raise quickly quality putting put pushed redo reducing parent restrict right
Topic 3 | Coherence=-214438.16 | Top words= price increase the is not to for your willing are support something use was since great am customer options after last paying pay go member sharing keeps loyal terrible agree anticonsumer became from being service profit additional often lower starting limiting pls wont original higher nonesence gouging horrible putting email once climbing youre vs yearly used fix forever forcing workable food focused flat fixed first free financially financial finally fiance few feet fees feel forth frequent fault work good gonna gone going goes won given give girl gf getting get gas garbage games future fuel fee far gotten worth else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don elsewhere emails fan end family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough got without do issues isnt isn who iny intolerable into interested instead inflation increments increasses increasing increases increased why income in issue it im its later where laid lack kids kidding kept while keeping keep justify just joint join job jacking itself improvements ill grandkids health having havent have has hardly hard happy hand half had hacking hackednot hacked guys greedy greed with he help if her idea husband hungry huge how households household house hosehold wife holder history hiking hikes hike will high doesnt divorce learning benefits ya begin before been becoming because yall be barely bank back awhile away automatically aunt at as benefit better year between buggin budget broke break boyfriend both blindly bit bills billings billing bill biggest biden biased biannually bf aren apps disgusts againlater you afford adicional addtional addresses youll addition adding added activities acct accounts account access acceptance absurd about again yet aparently alarming anyways anymore any another annually and an amounts amount amercian years also already almost allowed allow all business but by cutting customers would currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously cut dad bye damn disgusting discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date constantly constant consolidating consider charge changing changes changed change cell caused caring cared care card cant cannot cancelling canceling cancel can charged charges charging combining connected compromised competitive compared company coming come combine cheaper college wouldn climb city choose choice checking layoff leave us shady settled set servicio services wait series sense selection seen seems see secure second scaling scales saving save several share run she son value someone some so situation single virtue significant signaling sign sight sick shoves shouldn should short same rules sorry replace renewing remarried rejoin reflect reducing reduce redo rectifying recession recently recent reason really reality reactivate re rather rent repurposing rule reside rotating rising risen rise ripped right ridiculous return retiring retired resume resubscribe restriction restrict restart respect residence soon span left town too told today users tired tipped times time tightening tight throughout through this think things thing they tooo tracking there tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try these their spend subscribers sub stupid stranger stopping stopped stop stepdad stealing stay states vaccine started start squeeze spouses spouse spending subscriber subscription uses subscriptions thats that thanks thank than using temporary temporarily taste talk taking take system switching ut summer success rates rate raising multiple moving moved move more months monthly month money monetary moment mom mistake mind might merge memberships membership much must were my of now notified nothing well nonsense went non no nice next news newest new never needed need members medical raises longer lol locations location ll living live little when limited limit like life letting let lesser less legacy long looking means loose me maybe may married market many manservices making makes make made luck loyalty what whats lost losing off offer offered power por popular pop politically political policy policies poland point wants pleased please playing play platforms platform places possible preemptively
Topic 4 | Coherence=-222922.13 | Top words= too raised price the for and to way money high not worth long don but this fees rules just have new renewing while gotten anymore think afford has losing pay can willing job benefits times thanks be getting month nonsense am quality will need several discontinue weeks becoming system that redo workable membership far rates reflect lol before combining future fuel from games youre garbage gas great grandkids gouging got good gonna gone going goes go given give girl gf get frequent financially free fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email fact family forth fan forever forcing food focused flat fixed fix first greedy financial finally fiance few feet feel fee fault greed higher guys increasses joint join jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation justify keep keeping learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept increments increasing hacked increases hiking hikes hike her help health he having havent hardly hard happy hand half had hacking hackednot history holder horrible if increased increase income in improvements im ill idea hosehold husband hungry huge how households household house elsewhere dont else being biggest biden biased biannually bf between better benefit begin billing been because became barely bank back awhile away bill billings caring by care card cant cannot cancelling canceling cancel bye business bills buggin budget broke break boyfriend both blindly bit automatically aunt at adding againlater again after adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian also already almost allowed cared caused eliminating days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed cell drastically el edge easily earlier each duplicate due drive drain disgusting down double like done doesnt do divorce disgusts currently current currency checking come combine college climbing climb city choose choice cheaper creep charging charges charged charge changing changes changed change coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised life loyal limit spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stop stopped stopping temporary temporarily taste talk taking take switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger so single than save seen seems see secure second scaling scales saving same since run rule rotating rising risen rise ripped right selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing share shady settled set servicio services terrible thank return warrant what were went well week we waste was wants using wanted want waiting wait vs virtue value vaccine whats when where who youll you yet years yearly year yall ya wouldn would work wont won without with wife why ut uses thats tightening tracking town tooo told today tired tipped time tight users throughout through things thing they these there their tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring limited next of now notified nothing nonesence non no nice news move newest never needed my must multiple much moving off offer offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often moved more out loose makes make made luck loyalty your lower lost looking months longer locations location ll living live little limiting making manservices many market monthly monetary moment mom mistake mind might merge memberships members member medical means me maybe may married our outside retired quickly reality reactivate re rather rate raising raises raise putting president put pushed provider profits profit profiles problem pricing really reason recent recently
Topic 5 | Coherence=-230118.55 | Top words= you when that increase extra the don about my of want with using like states money idea limit paying news share outside bill power up greedy what this keep were cared means understand being ll wouldn hiking leave us begin high re will enough only if prices me cancel to since mom different restrict membership places changing live due two resume bank done thats customers agree dont extortion more boyfriend currently rates sense forever forcing for food increased focused kept fixed fix first financially flat frequent forth gas give girl gf getting keeping get garbage free games future fuel keeps from finally financial fees fiance layoff later expenses expected everything every even euro kidding especially learning entertainment entertaining left end last expensive laid face fact fair family fan far lack fault kids fee feel go feet few given gone goes its households household is isn house isnt hosehold horrible holder history issue hikes issues it hike how huge hungry im increasing increasses income in increments improvements ill iny inflation instead interested into husband intolerable higher itself going her hackednot hacked guys joint greed just great grandkids justify gouging gotten got good gonna increases hacking join had have help health email he having havent has half hardly jacking hard job happy hand emails youre elsewhere becoming biannually bf between better benefits benefit before been because as became be barely back awhile away automatically aunt biased biden biggest billing cannot cancelling canceling can bye by but business buggin budget broke break both blindly bit bills billings at aren card addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts account access acceptance absurd alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost cant care else days differences didnt deteriorated delivering declined decisions death deal day creep daughter date damn dad cutting cut customer current direction disappointed discontinue disgusting eliminating el edge easily earlier each duplicate drive drastically drain down double less doesnt do divorce disgusts currency credit caring cheaper combine college climbing climb city choose choice checking charging covid charges charged charge changes changed change cell caused combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared legacy loyal lesser spend stay starting started start squeeze spouses spouse spending span temporary sorry soon son something someone some so situation stealing stepdad stop stopped taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger stopping single significant signaling see second scaling scales saving save same run rules rule rotating rising risen rise ripped right ridiculous return secure seems sign seen sight sick shoves shouldn should short she sharing shady several settled set servicio services service series selection temporarily terrible retired warrant went well weeks week we way waste was wants than wanted waiting wait vs virtue value vaccine ut whats where while who youll yet years yearly year yall ya would worth workable work wont won without willing wife why uses users used told tired tipped times time tightening tight throughout through think things thing they these there their thanks thank today too use tooo upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable twice trying try tried tracking town retiring resubscribe let new not nonsense nonesence non no nice next newest never others needed need must multiple much moving moved move nothing notified now off original or options option opportunity opening opened ontario oneday one once on ok often offset offered offer months monthly month luck your lower lost losing loose looking longer long lol locations location living little limiting limited life letting loyalty made monetary make moment mistake mind might merge memberships members member medical maybe may married market many manservices making makes other our restriction quality reactivate rather rate raising raises raised raise quickly putting out put pushed provider profits profit profiles problem pricing reality really reason
Topic 6 | Coherence=-210709.86 | Top words= with subscription my subscriber me someone for moved life have is family who price in just iny especially choice nice keeps has phone users already keeping face worth make multiple it forcing son pop shoves get expensive between cannot issues offered husband lost anymore personal currently hacking hacked billings stopped else joint free reside happy acct profiles climbing her finally future constantly spending won fiance given girl give euro gf getting even goes go everything going gone entertainment entertaining enough gonna good got end emails email elsewhere every garbage expected gas financial few financially first feet fix fixed flat fees focused food feel fee fault far fan forever fair forth fact frequent extra extortion from expenses fuel games gotten youre gouging issue keep justify join job jacking itself its isnt kidding isn intolerable into interested instead inflation increments kept kids increasing less limiting limited limit like letting let lesser legacy lack left leave learning layoff later last laid increasses increases grandkids hard higher high help health he having hardly hand hikes half had hackednot guys greedy greed great hike hiking increased hungry increase income improvements im ill if idea huge history how households household house hosehold horrible holder havent drain eliminating been biannually bf better benefits benefit being begin before becoming biden because became be barely bank back awhile away biased biggest aunt buggin cancelling canceling cancel can bye by but business budget bill broke break boyfriend both blindly bit bills billing automatically at card addition againlater again after afford adicional addtional addresses additional adding alarming added activities accounts account access acceptance absurd about agree all as annually aren are apps aparently anyways any anticonsumer another and allow an amounts amount amercian am also almost allowed cant care el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue current live edge easily earlier each duplicate due drive drastically down disgusting double dont done don doesnt do divorce disgusts customer currency cared charges combine college climb city choose checking cheaper charging charged come charge changing changes changed change cell caused caring combining coming creep continue credit covid courtesy country costs cost continuous continues continually company continously constant consolidating consider connected compromised competitive compared little loyal living states sub stupid stranger stopping stop stepdad stealing stay starting subscriptions started start squeeze spouses spouse spend span sorry subscribers success something terrible there their the thats that thanks thank than temporary summer temporarily taste talk taking take system switching support soon some ll scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services so shouldn situation single since significant signaling sign sight sick should servicio short she sharing share shady several settled set these they thing waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where things wouldn youll you yet years yearly year yall ya would while workable work wont without willing will wife why value vaccine ut tired tried tracking town tooo too told today to tipped using times time tightening tight throughout through this think try trying twice two uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable rise ripped right nonesence offer off of now notified nothing not nonsense non often no next news newest new never needed need offset ok own options over outside out our others other original or option on opportunity opening opened ontario only oneday one once must much moving your market many manservices making makes made luck loyalty lower move losing loose looking longer long lol locations location married may maybe means more months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical overpriced owner ridiculous rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo owning respect return
Topic 7 | Coherence=-215724.87 | Top words= price and with increases is more saving money can be to deal continuous problem need service the sharing policy going benefit dad changes agree down do better two activities quality health summer drain charges reflect free tired barely sick just longer becoming give goes go given get girl gf getting gas garbage even euro especially games great enough hacking hackednot hacked guys greedy greed grandkids gone gouging entertaining gotten entertainment got good gonna every feet future fuel family fixed fix first fan far financially financial finally fault fee fiance feel few fees fair fact face expenses frequent forth everything forever forcing expected expensive flat for food extortion focused extra had from he half job kidding kept keeps keeping keep justify joint join jacking lack itself its it issues issue isnt isn iny kids laid hand letting living live little limiting limited limit like life let last lesser less legacy left leave learning layoff later intolerable into interested her horrible holder history hiking hikes hike higher high help instead emails having havent have has hardly hard happy hosehold house household households inflation increments increasses increasing increased increase income in improvements im ill if idea husband hungry huge how end youre email begin biggest biden biased biannually bf between benefits being before billing been because became bank back awhile away automatically bill billings elsewhere but card cant cannot cancelling canceling cancel bye by business bills buggin budget broke break boyfriend both blindly bit aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added acct accounts account access acceptance absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost care cared caring decisions disappointed direction different differences didnt deteriorated delivering declined death currently days day daughter date damn cutting cut customers discontinue disgusting disgusts divorce else eliminating el edge easily earlier each duplicate due drive drastically location double dont done don doesnt customer current caused choice come combining combine college climbing climb city choose checking currency cheaper charging charged charge changing changed change cell coming company compared competitive creep credit covid courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected compromised ll loyal locations lol sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span subscriber subscribers subscription temporary there their thats that thanks thank than terrible temporarily subscriptions taste talk taking take system switching support success sorry soon son scaling series sense selection seen seems see secure second scales servicio save same run rules rule rotating rising risen services set something sign someone some so situation single since significant signaling sight settled shoves shouldn should short she share shady several these they thing week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why vs wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will wait virtue things today trying try tried tracking town tooo too told tipped unable times time tightening tight throughout through this think twice under value upward vaccine ut using uses users used use us upping understand upcoming up until unneeded unnecessary unfortunately unfair unemployed rise ripped right nonsense offered offer off of now notified nothing not nonesence often non no nice next news newest new never offset ok my options over outside out our others other original or option on opportunity opening opened ontario only oneday one once needed must own made may married market many manservices making makes make luck me loyalty your lower lost losing loose looking long maybe means multiple moment much moving moved move months monthly month monetary mom medical mistake mind might merge memberships membership members member overpriced owner ridiculous rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly putting put pushed recession redo profits respect return retiring
Topic 8 | Coherence=-217194.00 | Top words= at it time afford can are this now business is not you right make decisions resubscribe well doesnt making guys sense that dont job when my out and using lost to work play coming outside of summer constantly second moment apps interested month just but increasing biased politically start again temporary rising keep tight already garbage from gonna fuel greed good great going future grandkids games gone got getting gouging goes get go given give gotten girl gf gas youre frequent expected family fair fact face extra extortion expensive expenses everything far every even euro especially entertainment entertaining enough end fan fault free fix forth forever forcing for food focused flat fixed first fee financially financial finally fiance few feet fees feel greedy her hacked increased justify joint join jacking itself its issues issue isnt isn iny intolerable into instead inflation increments increasses keeping keeps kept left like life letting let lesser less legacy leave kidding learning layoff later last laid lack kids increases increase hackednot income higher high email help health he having havent have has hardly hard happy hand half had hacking hike hikes hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder emails done elsewhere being biggest biden biannually bf between better benefits benefit begin awhile before been becoming because became be barely bank bill billing billings bills care card cant cannot cancelling canceling cancel bye by buggin budget broke break boyfriend both blindly bit back away caring adding agree againlater after adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about alarming all allow allowed aunt as aren aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also almost cared caused else deal direction different differences didnt deteriorated delivering declined death days currently day daughter date damn dad cutting cut customers disappointed discontinue disgusting disgusts eliminating el edge easily earlier each duplicate due drive drastically drain down double limited don do divorce customer current cell checking combining combine college climbing climb city choose choice cheaper currency charging charges charged charge changing changes changed change come company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised limit loyal limiting spouses stop stepdad stealing stay states starting started squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger the take thanks thank than terrible temporarily taste talk taking system stupid switching support success subscriptions subscription subscribers subscriber sub some so situation save selection seen seems see secure scaling scales saving same single run rules rule rotating risen rise ripped ridiculous series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thats their little waste whats what were went weeks week we way was while warrant wants wanted want waiting wait vs virtue where who there would youll yet years yearly year yall ya wouldn worth why workable wont won without with willing will wife value vaccine ut tipped tried tracking town tooo too told today tired times uses tightening throughout through think things thing they these try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retiring retired next off notified nothing nonsense nonesence non no nice news offered newest new never needed need must multiple much offer offset resume opportunity over our others other original or options option opening often opened ontario only oneday one once on ok moving moved move loose manservices makes made luck loyalty your lower losing looking more longer long lol locations location ll living live many market married may months monthly money monetary mom mistake mind might merge memberships membership members member medical means me maybe overpriced own owner raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
Topic 9 | Coherence=-219482.03 | Top words= is am keep the you and your away passed why canceling my good with paying not price subscription really hike access increments more account quality less she this creep checking before done blindly owner mom using greed constant should luck daughter rate of living popular next had preemptively garbage series be has increase parent owning person own aunt added significant policy reflect especially going face getting gf extra girl extortion give given go goes expenses expensive get gone gonna expected everything every got gotten gouging even euro grandkids fixed fact gas feet flat fix focused first food financially financial finally for fiance forcing few forever fees fair forth feel free fee frequent from fuel fault future far fan games family youre havent great increases join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation increasses joint just justify layoff letting let lesser legacy left leave learning later keeping last laid lack kids kidding kept keeps increasing increased greedy income high her help health he having entertaining have hardly hard happy hand half hacking hackednot hacked guys higher hikes hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder entertainment due enough better billing bill biggest biden biased biannually bf between benefits bills benefit being begin been becoming because became barely billings bit back can caring cared care card cant cannot cancelling cancel bye both by but business buggin budget broke break boyfriend bank awhile cell addresses alarming agree againlater again after afford adicional addtional additional allow addition adding activities acct accounts acceptance absurd about all allowed automatically any at as aren are apps aparently anyways anymore anticonsumer almost another annually an amounts amount amercian also already caused change end deteriorated disgusts disgusting discontinue disappointed direction different differences didnt delivering do declined decisions death deal days day date damn divorce doesnt cutting earlier emails email elsewhere else eliminating el edge easily each don duplicate like drive drastically drain down double dont dad cut changed city company coming come combining combine college climbing climb choose competitive choice cheaper charging charges charged charge changing changes compared compromised customers costs customer currently current currency credit covid courtesy country cost connected continuous continues continue continually continously constantly consolidating consider life loyal limit stealing subscriber sub stupid stranger stopping stopped stop stepdad stay subscriptions states starting started start squeeze spouses spouse spending subscribers success limited terrible these there their thats that thanks thank than temporary summer temporarily taste talk taking take system switching support spend span sorry secure servicio services service sense selection seen seems see second soon scaling scales saving save same run rules rule set settled several shady son something someone some so situation single since signaling sign sight sick shoves shouldn short sharing share they thing things we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without willing will vs value think today trying try tried tracking town tooo too told to vaccine tired tipped times time tightening tight throughout through twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rotating rising risen newest notified nothing nonsense nonesence non no nice news new months never needed need must multiple much moving moved now off offer offered other original or options option opportunity opening opened ontario only oneday one once on ok often offset move monthly our looking makes make made loyalty lower lost losing loose longer month long lol locations location ll live little limiting making manservices many market money monetary moment mistake mind might merge memberships membership members member medical means me maybe may married others out rise reactivate reduce redo rectifying recession recently recent reason reality re pushed rather rates raising raises raised raise quickly putting reducing rejoin remarried renewing
Topic 10 | Coherence=-221236.14 | Top words= too for expensive is it me prices now much keep many and new going not increasing unfortunately upward charges have price added we life everything long getting rule its keeps on changing later stupid rising been options maybe with customer itself subscriptions else hikes this there offered right workable policies whats pleased rules alarming subscriber overpriced system ll forever join support thanks being made youre like begin got guys greedy greed great grandkids gouging gotten good hacked gonna gone am goes go given give also hackednot higher almost allowed her help health he having havent has hacking hardly already hard happy hand half had girl gf amercian few first financially financial another anticonsumer finally fiance feet get fees feel fee fault far fan family fix fixed flat focused gas garbage games future fuel amount from frequent free amounts forth an forcing annually food high hike fact job account accounts justify just joint acct activities jacking access adding addition additional addresses addtional issues issue keeping kept allow leave letting let lesser less legacy left about learning kidding layoff absurd acceptance last laid lack kids isnt isn adicional house again husband hungry huge how households household hosehold iny againlater horrible holder agree history hiking all idea if ill im intolerable into interested instead inflation increments increasses afford increases increased increase income after in improvements fair face before awhile cheaper charging aunt automatically charged away charge back choice changes changed bank change barely cell caused checking choose continually compared constantly constant consolidating consider connected compromised competitive company city coming come combining combine college climbing climb caring cared care becoming blindly bit bills billings billing bill biggest biden card biased biannually bf between better benefits benefit both boyfriend break broke cant cannot cancelling be canceling cancel can bye became by but business buggin budget because continously continue extra drain easily earlier each duplicate due drive drastically down el double dont aparently don doesnt apps do edge eliminating continues euro extortion any expenses expected anymore every even especially anyways entertainment entertaining enough end emails email elsewhere divorce disgusts are currency dad cutting cut customers at currently current creep disgusting credit covid courtesy country costs cost continuous damn date daughter day aren as discontinue disappointed direction different differences didnt deteriorated delivering declined decisions death deal days done loyal limit spouses stepdad stealing stay states starting started start squeeze spouse so spending spend span sorry soon son something someone stop stopped stopping stranger thats that thank than terrible temporary temporarily taste talk taking take switching summer success subscription subscribers sub some situation their scales sense selection seen seems see secure second scaling saving single save same run rotating risen rise ripped ridiculous series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set the these limited way where when what were went well weeks week waste value was warrant wants wanted want waiting wait vs while who why wife youll you yet years yearly year yall ya wouldn would worth work wont won without willing will virtue vaccine they tipped tried tracking town tooo told today to tired times ut time tightening tight throughout through think things thing try trying twice two using uses users used use us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable return retiring retired next of notified nothing nonsense nonesence non no nice news move newest never needed need my must multiple moving off offer offset often outside out our others other original or option opportunity opening opened ontario only oneday one once ok moved more resume loose makes make luck loyalty your lower lost losing looking months longer lol locations location living live little limiting making manservices market married monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means may over own owner raising reason really reality reactivate re rather rates rate raises owning raised raise quickly quality putting put pushed provider recent recently recession
Topic 11 | Coherence=-204694.69 | Top words= in subscription will with has already moving an he bf but rejoin have later husband once get poland settled amercian live temporarily cancelling anticonsumer resume what year like future seen spouse for parents go fuel living gas garbage games last from getting free forth forever forcing food focused frequent girl gf little greedy greed great grandkids gouging gotten got good gonna gone going goes given give fixed flat first fix expensive expected everything every even euro location especially entertainment entertaining enough end emails email elsewhere else eliminating el expenses extortion hacked extra financially financial finally fiance few feet fees feel ll fee fault far fan family fair fact face guys hacking hackednot it legacy issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased increase issues its laid itself lack kids kidding layoff kept keeps learning keeping keep leave justify just joint left join job jacking income less improvements im higher high her help health edge having havent limit limited hardly hard happy limiting hand half had hike life hikes how lesser ill if idea let hungry huge households hiking letting household house hosehold horrible holder history youre drain easily before biased biannually between better benefits benefit being begin been biggest becoming because became be barely bank back awhile biden bill automatically buggin cant cannot canceling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings away aunt care adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at another as aren are apps aparently anyways anymore any annually all and amounts amount am also almost allowed allow card cared earlier daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different creep dont each duplicate due drive drastically lol down double done direction don doesnt do divorce disgusts disgusting discontinue disappointed currency credit caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company locations loyal long these stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spending spend span sorry soon sub subscriber subscribers temporary their the thats that thanks thank than terrible taste subscriptions talk taking take system switching support summer success son something someone scales series sense selection seems see secure second scaling saving services save same run rules rule rotating rising risen service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short she sharing share shady several there they longer thing whats were went well weeks week we way waste was warrant wants wanted want waiting wait vs virtue value when where while would youll you yet years yearly yall ya wouldn worth who workable work wont won without willing wife why vaccine ut using tipped tracking town tooo too told today to tired times try time tightening tight throughout through this think things tried trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two rise ripped right ridiculous offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new never needed offset often ok or overpriced over outside out our others other original options on option opportunity opening opened ontario only oneday one need my must make maybe may married market many manservices making makes made means luck loyalty your lower lost losing loose looking me medical multiple monetary much moved move more months monthly month money moment member mom mistake mind might merge memberships membership members own owner owning rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits residence return retiring
Topic 12 | Coherence=-224096.48 | Top words= for greedy raising prices to now just starting additional year profit subscription my profiles last after the charge and as on is don divorce much wife possible through going money courtesy left am you trying cut spending moving thank spend enough save issues drastically rise owner begin amount raised disgusting deteriorated gouging from fuel greed future games garbage gone gas end entertaining get grandkids good getting gotten gonna gf girl give goes got great given go entertainment frequent face especially free few feet fees expenses feel fee fault far fan expensive extortion family extra fair fact fiance expected finally flat forth forever forcing euro food focused fixed everything fix first financially even every financial youre have guys isnt joint join job jacking itself its it issue isn keep iny intolerable into interested instead inflation increments increasses justify keeping hacked legacy limited limit like life letting let lesser less leave keeps learning layoff later laid lack kids kidding kept increasing increases increased email higher high her help health he having havent has increase hardly hard happy hand half had hacking hackednot hike hikes hiking history income in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder emails double elsewhere being biden biased biannually bf between better benefits benefit before bill been becoming because became be barely bank back biggest billing else business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile away automatically adding agree againlater again afford adicional addtional addresses addition added aunt activities acct accounts account access acceptance absurd about alarming all allow allowed at aren are apps aparently anyways anymore any anticonsumer another annually an amounts amercian also already almost cant card care day differences didnt delivering declined decisions death deal days daughter creep date damn dad cutting customers customer currently current different direction disappointed discontinue eliminating el edge easily earlier each duplicate due drive drain down little dont done doesnt do disgusts currency credit cared charging college climbing climb city choose choice checking cheaper charges covid charged changing changes changed change cell caused caring combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company limiting loyal live started stranger stopping stopped stop stepdad stealing stay states start sub squeeze spouses spouse span sorry soon son something stupid subscriber some taste their thats that thanks than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions someone so living scales sense selection seen seems see secure second scaling saving service same run rules rule rotating rising risen ripped series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set there these they way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while thing worth youll yet years yearly yall ya wouldn would workable who work wont won without with willing will why virtue value vaccine tired try tried tracking town tooo too told today tipped ut times time tightening tight throughout this think things twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand right ridiculous return next notified nothing not nonsense nonesence non no nice news off newest new never needed need must multiple moved of offer outside opening our others other original or options option opportunity opened offered ontario only oneday one once ok often offset move more months lost making makes make made luck loyalty your lower losing monthly loose looking longer long lol locations location ll manservices many market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may out over retiring rate recent reason really reality reactivate re rather rates raises recession raise quickly quality putting put pushed provider profits recently rectifying overpriced reside retired
Topic 13 | Coherence=-210267.18 | Top words= subscription my was this keeps hacked nonsense the benefits by long been changing has with financial daughter being at as rising opened residence issues mistake same that notified duplicate stranger used today service having before unemployed changed anymore situation good some spouse bye married losing don all garbage getting future gf get games gas youre girl gotten guys greedy greed great grandkids gouging got give gonna gone going fuel go given goes focused from fan fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email family far frequent fault free forth forever forcing for food hacking flat fixed fix first financially finally fiance few feet fees feel fee hackednot her had itself keeping keep justify just joint join job jacking its half it issue isnt isn is iny intolerable into kept kidding kids lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid interested instead inflation hosehold holder history hiking hikes hike higher high else help health he havent have hardly hard happy hand horrible house increments household increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how households elsewhere done eliminating begin biggest biden biased biannually bf between better benefit becoming aunt because became be barely bank back awhile away bill billing billings bills card cant cannot cancelling canceling cancel can but business buggin budget broke break boyfriend both blindly bit automatically aren el adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming allow apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also already almost allowed care cared caring days differences didnt deteriorated delivering declined decisions death deal day caused date damn dad cutting cut customers customer currently different direction disappointed discontinue edge easily earlier each due drive drastically drain down double dont live doesnt do divorce disgusts disgusting current currency creep coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changes change cell come company credit compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive little loyal living started stopping stopped stop stepdad stealing stay states starting start sub squeeze spouses spending spend span sorry soon son stupid subscriber someone taste their thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions something so retiring save seen seems see secure second scaling scales saving run sense rules rule rotating risen rise ripped right ridiculous selection series single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio there these they week where when whats what were went well weeks we who way waste warrant wants wanted want waiting wait while why thing wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vs virtue value tired try tried tracking town tooo too told to tipped vaccine times time tightening tight throughout through think things trying twice two unable ut using uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand under return retired ll non offered offer off of now nothing not nonesence no often nice next news newest new never needed need offset ok multiple or overpriced over outside out our others other original options on option opportunity opening ontario only oneday one once must much resume loyalty market many manservices making makes make made luck your maybe lower lost loose looking longer lol locations location may me moving moment moved move more months monthly month money monetary mom means mind might merge memberships membership members member medical own owner owning raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent pagos rent resubscribe
Topic 14 | Coherence=-212315.36 | Top words= to subscription my pay it not is have just that but bill was so do an ill compromised card because charged after credit automatically option wanted bank without told allowed think don extortion another take got break gone even good gonna fault going goes every go given everything expected gotten gouging euro girl end happy enough hand half entertaining had hacking entertainment hackednot hacked guys greedy greed especially great grandkids give expenses gf fan focused flat fixed fix first financially family far food financial finally fiance few feet fees feel fair for getting fuel fee expensive get gas garbage games future from forcing extra frequent free forth face forever fact hard youre hardly keep last laid lack kids kidding kept keeps keeping justify isn joint join job jacking itself its issues issue later layoff learning leave locations location ll living live little limiting limited limit like life letting let lesser less legacy left isnt iny has hike household house hosehold horrible holder history hiking hikes email intolerable higher high her help health he having havent households how huge hungry into interested instead inflation increments increasses increasing increases increased increase income in improvements im if idea husband emails down elsewhere being biden biased biannually bf between better benefits benefit begin aunt before been becoming became be barely back awhile biggest billing billings bills care cant cannot cancelling canceling cancel can bye by business buggin budget broke boyfriend both blindly bit away at caring adding againlater again afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any anticonsumer annually and amounts amount amercian am also already almost cared caused else death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts eliminating el edge easily earlier each duplicate due drive drastically drain long double dont done doesnt divorce customers currently cell choice come combining combine college climbing climb city choose checking current cheaper charging charges charge changing changes changed change coming company compared competitive currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected lol loyal longer their stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something stopping stranger stupid talk thats thanks thank than terrible temporary temporarily taste taking sub system switching support summer success subscriptions subscribers subscriber someone some situation saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio the there looking these where when whats what were went well weeks week we way waste warrant wants want waiting wait vs virtue while who why wouldn youll you yet years yearly year yall ya would wife worth workable work wont won with willing will value vaccine ut times tried tracking town tooo too today tired tipped time trying tightening tight throughout through this things thing they try twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right ridiculous return often offset offered offer off of now notified nothing nonsense nonesence non no nice next news newest new never ok on once other owner own overpriced over outside out our others original one or options opportunity opening opened ontario only oneday needed need must makes me maybe may married market many manservices making make medical made luck loyalty your lower lost losing loose means member multiple money much moving moved move more months monthly month monetary members moment mom mistake mind might merge memberships membership owning pagos parent rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo provider residence retiring retired
Topic 15 | Coherence=-225817.76 | Top words= price the not worth you keep raising it anymore service prices too no many have enough is share expensive now us customers longer raised letting fees high upping fault increase isnt vs pay increasing way given made afford amount damn cant huge amounts don what on by cannot aren cost focused offered new any isn jacking do sharing medical secure bills second prescription hackednot continues get easily changes greedy before spending hardly nonsense overpriced garbage currency tipped work right moment forcing girl fact gas entertainment fair fiance few feet family getting gf give extortion fan feel go fee for goes going far gone gonna games future especially food expenses forever flat fixed fix expected first everything every forth free frequent financially good even extra from euro finally fuel face financial help got intolerable join job itself its issues issue iny into just interested instead inflation increments increasses increases increased joint justify gotten layoff let lesser less legacy left leave learning later keeping last laid lack kids kidding kept keeps income in improvements half he having havent has hard happy hand had im hacking hacked guys greed great grandkids gouging health her higher hike ill if idea husband hungry how households household house hosehold horrible holder history hiking hikes entertaining youre end being biden biased biannually bf between better benefits benefit begin away been becoming because became be barely bank back biggest bill billing billings care card cancelling canceling cancel can bye but business buggin budget broke break boyfriend both blindly bit awhile automatically emails adding againlater again after adicional addtional addresses additional addition added aunt activities acct accounts account access acceptance absurd about agree alarming all allow at as are apps aparently anyways anticonsumer another annually and an amercian am also already almost allowed cared caring caused declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cell death deal days day daughter date dad cutting disgusting disgusts divorce doesnt email elsewhere else eliminating el edge earlier each duplicate due drive drastically drain down double life done cut customer currently coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changed change come company current compared creep credit covid courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive dont loyal like starting stranger stopping stopped stop stepdad stealing stay states started something start squeeze spouses spouse spend span sorry soon stupid sub subscriber subscribers thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription son someone thats save sense selection seen seems see scaling scales saving same some run rules rule rotating rising risen rise ripped series services servicio set so situation single since significant signaling sign sight sick shoves shouldn should short she shady several settled that their return waste when whats were went well weeks week we was ut warrant wants wanted want waiting wait virtue value where while who why youll yet years yearly year yall ya wouldn would workable wont won without with willing will wife vaccine using there tightening town tooo told today to tired times time tight uses throughout through this think things thing they these tracking tried try trying users used use upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous retiring limit never notified nothing nonesence non nice next news newest needed months need my must multiple much moving moved move of off offer offset our others other original or options option opportunity opening opened ontario only oneday one once ok often more monthly outside long luck loyalty your lower lost losing loose looking lol month locations location ll living live little limiting limited make makes making manservices money monetary mom mistake mind might merge memberships membership members member means me maybe may married market out over retired rate recent reason really reality reactivate re rather rates raises profiles raise quickly quality putting put pushed provider profits recently recession rectifying redo
Topic 16 | Coherence=-227745.61 | Top words= and you extra for my subscription charging share charge with family an cant too sharing of no newest hike im if to will increase out hikes many because when that support youre keep extortion longer got idea parents without but states stay cheaper more grandkids declined what card bill hosehold won can pay charges unable horrible months taste married so outside upping caring starting fault husband rise agree putting able trying fact flat fixed fix first financially financial finally fiance few feet fees feel fee where far fan while focused food whats garbage given give girl gf getting get gas games forcing future fuel from frequent free forth forever fair face goes who easily earlier each duplicate due drive drastically drain down double dont done don doesnt do divorce disgusts edge el eliminating euro why expensive expenses expected everything every even especially else entertainment entertaining enough end emails email elsewhere go going discontinue how instead inflation increments increasses increasing increases increased wants income in improvements warrant ill was waste way hungry interested into intolerable jacking keeping wanted justify just joint join job itself iny its it issues issue isnt isn is huge households gone household happy hand half had hacking hackednot hacked guys greedy greed great went gouging gotten were good gonna hard hardly has well house we week holder history hiking weeks higher have high her help health he having havent disgusting disappointed try aparently before been becoming yearly became be barely bank back awhile away automatically aunt at as aren are begin being benefit billing break boyfriend both blindly bit bills billings year benefits biggest biden biased biannually bf between better apps anyways budget anymore after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about again againlater youll amount any anticonsumer another annually years yet amounts amercian alarming am also already almost allowed allow all broke buggin direction connected current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating currently customer customers death different differences didnt deteriorated delivering wife decisions deal cut days day daughter date damn dad cutting consider compromised business competitive changed change cell caused worth cared care would wouldn cannot cancelling canceling cancel ya bye by yall changes changing workable climbing compared company coming come combining combine college climb charged city choose choice checking willing wont work keeps kept kidding resume scaling scales saving save same run rules rule rotating rising risen upward ripped right ridiculous return retiring second secure see settled should short she up upcoming shady several set seems servicio services service series sense selection seen retired resubscribe shoves restriction really reality reactivate re rather rates rate raising raises raised raise quickly quality us put pushed provider reason recent recently rent restrict restart respect residence reside repurposing replace renewing recession remarried rejoin reflect reducing reduce redo rectifying shouldn sick kids switching they these there their the thats under thanks thank than terrible temporary temporarily understand talk taking take thing things think two tried tracking town tooo twice told today tired this tipped times time tightening tight throughout through system unemployed sight summer spouse spending spend span sorry soon son something someone some until situation single since significant signaling sign spouses squeeze start stranger success subscriptions unfair subscribers subscriber sub stupid stopping started stopped stop stepdad stealing unfortunately unnecessary unneeded profits profit profiles manservices moment mom mistake mind might merge memberships membership members member medical means me maybe may wait market monetary money month value next news vaccine new never needed need must monthly multiple much moving moved move virtue vs waiting making problem makes limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack limiting little live losing make made luck loyalty your lower lost loose living looking want long lol locations location ll nice ut non nonesence please playing play platforms platform places piracy pick phone personal person per people payment paying payday use
Topic 17 | Coherence=-217354.50 | Top words= will be to back continues end need month price no of move payment climb the better added getting with have service benefit in another sight platform rise phone awhile using off through provider replace week may cheaper instead join anymore don gouging gf from good girl gonna fuel gotten future hacked given guys games gone garbage gas give greedy going greed great goes go got grandkids get youre frequent expenses fan family fair fact face extra extortion expensive expected fault everything every even euro especially entertainment entertaining enough far fee free fixed forth forever forcing for hacking food focused flat fix feel first financially financial finally fiance few feet fees hackednot her had jacking kept keeps keeping keep justify just joint job itself into its it issues issue isnt isn is iny kidding kids lack laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last intolerable interested half help holder history hiking hikes hike higher high email health inflation he having havent has hardly hard happy hand horrible hosehold house household increments increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how households emails drastically elsewhere being bill biggest biden biased biannually bf between benefits begin billings before been becoming because became barely bank away billing bills aunt by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly automatically at cared addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all as and aren are apps aparently anyways any anticonsumer annually an allow amounts amount amercian am also already almost allowed care caring else death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting customer drive eliminating el edge easily earlier each duplicate due living disgusts drain down double dont done doesnt do divorce customers currently caused checking come combining combine college climbing city choose choice charging company charges charged charge changing changes changed change cell coming compared current continuous currency creep credit covid courtesy country costs cost continue competitive continually continously constantly constant consolidating consider connected compromised live loyal ll states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon taste thats that thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions sorry son there second services series sense selection seen seems see secure scaling set scales saving save same run rules rule rotating servicio settled something sign someone some so situation single since significant signaling sick several shoves shouldn should short she sharing share shady their these location way when whats what were went well weeks we waste while was warrant wants wanted want waiting wait vs where who value wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife virtue vaccine they tipped tried tracking town tooo too told today tired times trying time tightening tight throughout this think things thing try twice ut up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable rising risen ripped nonesence offset offered offer now notified nothing not nonsense non ok nice next news newest new never needed my often on multiple or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one must much right your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market maybe moving mistake moved more months monthly money monetary moment mom mind me might merge memberships membership members member medical means own owner owning rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pagos restart ridiculous
Topic 18 | Coherence=-226467.81 | Top words= prices for even care you customer service your and to more of customers garbage other about paying rate again increase do this just take continue better start up before squeeze yet go first things my need unable try people out no billing help all at change date continues offer others lesser services money horrible stupid less hand hike family platform apps who great gas get getting gf grandkids gouging give got gotten girl going gone gonna good given goes youre games extortion fee fault far fan fair fact face extra expensive future expenses expected everything every euro especially entertainment entertaining feel fees feet few fuel from frequent free forth greedy forever forcing food focused flat fixed fix financially financial finally fiance greed having guys increments joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead justify keep keeping learning like life letting let legacy left leave layoff keeps later last laid lack kids kidding kept inflation increasses hacked increasing hikes higher high her health he end havent have has hardly hard happy half had hacking hackednot hiking history holder if increases increased income in improvements im ill idea hosehold husband hungry huge how households household house enough double emails being biggest biden biased biannually bf between benefits benefit begin billings been becoming because became be barely bank back bill bills email by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly awhile away automatically addition agree againlater after afford adicional addtional addresses additional adding aunt added activities acct accounts account access acceptance absurd alarming allow allowed almost as aren are aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already cared caring caused delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cut decisions death deal days day daughter damn dad disgusts divorce doesnt don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down limited dont done cutting currently cell choice come combining combine college climbing climb city choose checking current cheaper charging charges charged charge changing changes changed coming company compared competitive currency creep credit covid courtesy country costs cost continuous continually continously constantly constant consolidating consider connected compromised limit loyal limiting spouses stopped stop stepdad stealing stay states starting started spouse stranger spending spend span sorry soon son something someone stopping sub the talk that thanks thank than terrible temporary temporarily taste taking subscriber system switching support summer success subscriptions subscription subscribers some so situation save seen seems see secure second scaling scales saving same single run rules rule rotating rising risen rise ripped selection sense series servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thats their little way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while there worth youll years yearly year yall ya wouldn would workable why work wont won without with willing will wife virtue value vaccine times tracking town tooo too told today tired tipped time ut tightening tight throughout through think thing they these tried trying twice two using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under right ridiculous return news notified nothing not nonsense nonesence non nice next newest off new never needed must multiple much moving moved now offered retiring opening over outside our original or options option opportunity opened offset ontario only oneday one once on ok often move months monthly loose makes make made luck loyalty lower lost losing looking month longer long lol locations location ll living live making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married overpriced own owner rates recently recent reason really reality reactivate re rather raising profits raises raised raise quickly quality putting put pushed recession rectifying redo reduce
Topic 19 | Coherence=-226022.57 | Top words= the price to so expensive is up you not lost every it increase pop forcing shoves more keeping but year face make nice anymore currently especially your choice iny have when worth life nothing good ok seems subscriber really added will just start others switching again compared pay moved there charge us can days jacking cost justify of tired afford me declined climb high paying feet getting going gouging gotten girl got future games garbage give go goes gas given gonna gf get gone youre fuel expenses far fan family fair fact extra extortion expected fee everything even euro entertainment entertaining enough end fault feel from flat frequent free forth forever for food focused fixed fees fix first financially financial finally fiance few grandkids he great greed job itself its issues issue isnt isn intolerable into interested instead inflation increments increasses increasing increases increased join joint keep learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept income in improvements happy health email having havent has hardly hard hand her half had hacking hackednot hacked guys greedy help higher im households ill if idea husband hungry huge how household hike house hosehold horrible holder history hiking hikes emails dont elsewhere been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden cant broke cancelling canceling cancel bye by business buggin budget break biggest boyfriend both blindly bit bills billings billing bill automatically aunt at addition alarming agree againlater after adicional addtional addresses additional adding as activities acct accounts account access acceptance absurd about all allow allowed almost aren are apps aparently anyways any anticonsumer another annually and an amounts amount amercian am also already cannot card else death disappointed direction different differences didnt deteriorated delivering decisions deal disgusting day daughter date damn dad cutting cut customers discontinue disgusts care drive eliminating el edge easily earlier each duplicate due drastically divorce drain down double limit done don doesnt do customer current currency charges combine college climbing city choose checking cheaper charging charged creep changing changes changed change cell caused caring cared combining come coming company credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive like loyal limited spouses stop stepdad stealing stay states starting started squeeze spouse stopping spending spend span sorry soon son something someone stopped stranger limiting taking thanks thank than terrible temporary temporarily taste talk take stupid system support summer success subscriptions subscription subscribers sub some situation single same seen see secure second scaling scales saving save run since rules rule rotating rising risen rise ripped right selection sense series service significant signaling sign sight sick shouldn should short she sharing share shady several settled set servicio services that thats their waste what were went well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue whats where while who youll yet years yearly yall ya wouldn would workable work wont won without with willing wife why value ut these time tracking town tooo too told today tipped times tightening using tight throughout through this think things thing they tried try trying twice uses users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous return retiring news off now notified nonsense nonesence non no next newest move new never needed need my must multiple much offer offered offset often outside out our other original or options option opportunity opening opened ontario only oneday one once on moving months overpriced looking making makes made luck loyalty lower losing loose longer monthly long lol locations location ll living live little manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may over own retired raising recent reason reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 20 | Coherence=-217747.40 | Top words= raising you and kept prices for people charge youre reason gonna using only was services out other charges the added constantly business elsewhere take fees your inflation food monthly gas unemployed subscription even her don future fuel games garbage gf from frequent free forth forever get getting go girl give hacked limit guys greedy greed great grandkids gouging gotten got good limited gone going goes limiting given forcing left little every face extra extortion expensive expenses expected everything euro ll especially entertainment entertaining enough end emails email fact fair focused few fixed fix first financially financial finally fiance feet family live feel fee living fault far fan flat had hackednot jacking its it issues issue isnt isn let is iny intolerable into interested instead increments increasses increasing increases itself job increase join learning layoff later last laid lack kids kidding legacy keeps keeping keep justify just less joint lesser increased income hacking hike high life help health like he having eliminating havent have has hardly hard happy hand half leave higher hikes in hiking improvements im ill if idea husband hungry huge how households household house hosehold horrible letting holder history else drive el cannot bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biannually biased biden broke canceling cancel can bye by but buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt at as addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cancelling cant edge card didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current differences different direction down easily earlier each duplicate due locations drastically drain double disappointed dont done doesnt do divorce disgusts disgusting discontinue currency creep credit charged climbing climb city choose choice checking cheaper charging changing combine changes changed change cell caused caring cared care college combining covid continously courtesy country costs cost continuous continues continue continually constant come consolidating consider connected compromised competitive compared company coming location loyal lol risen stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry sub subscriber subscribers temporary there their thats that thanks thank than terrible temporarily subscriptions taste talk taking system switching support summer success soon son something second service series sense selection seen seems see secure scaling set scales saving save same run rules rule rotating servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady these they thing week where when whats what were went well weeks we who way waste warrant wants wanted want waiting wait while why virtue would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs value things tired tried tracking town tooo too told today to tipped trying times time tightening tight throughout through this think try twice vaccine upcoming ut uses users used use us upward upping up two until unneeded unnecessary unfortunately unfair understand under unable rising rise long ripped offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new never needed offset often ok or owner own overpriced over outside our others original options on option opportunity opening opened ontario oneday one once need my must make maybe may married market many manservices making makes made means luck loyalty lower lost losing loose looking longer me medical multiple monetary much moving moved move more months month money moment member mom mistake mind might merge memberships membership members owning pagos parent re redo rectifying recession recently recent really reality reactivate rather reducing rates rate raises raised raise quickly quality putting reduce reflect pushed restrict right ridiculous
Topic 21 | Coherence=-216211.22 | Top words= back be will break taking my on got ll can when ill and just money own married for time bit saving laid we payday of else come subscription next wife get combining something feet her broke accounts spending repurposing rotating cutting im monetary divorce might soon summer subscriptions business everything constantly layoff increasing life many hikes done future gone games gouging garbage gas good gonna greed girl gf goes grandkids go getting great gotten given give going youre fuel expenses fan family fair fact face extra extortion expensive expected from every even euro especially entertainment entertaining enough end far fault fee feel frequent free forth forever forcing food focused greedy fixed fix first financially financial finally fiance few fees flat he guys keep joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead justify keeping hacked keeps limited limit like letting let lesser less legacy left leave learning later last lack kids kidding kept inflation increments increasses increases higher high help health email having havent have has hardly hard happy hand half had hacking hackednot hike hiking history husband increased increase income in improvements if idea hungry holder huge how households household house hosehold horrible emails double elsewhere been bf between better benefits benefit being begin before becoming as because became barely bank awhile away automatically aunt biannually biased biden biggest cant cannot cancelling canceling cancel bye by but buggin budget boyfriend both blindly bills billings billing bill at aren care addition againlater again after afford adicional addtional addresses additional adding are added activities acct account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed card cared eliminating deal different differences didnt deteriorated delivering declined decisions death days current day daughter date damn dad cut customers customer direction disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically drain down little dont don doesnt do disgusts currently currency caring charging college climbing climb city choose choice checking cheaper charges creep charged charge changing changes changed change cell caused combine coming company compared credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised competitive limiting loyal live starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spend span sorry son stupid subscriber some terrible there their the thats that thanks thank than temporary subscribers temporarily taste talk take system switching support success someone so living scales sense selection seen seems see secure second scaling save service same run rules rule rising risen rise ripped series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set these they thing waste whats what were went well weeks week way was while warrant wants wanted want waiting wait vs virtue where who things wouldn youll you yet years yearly year yall ya would why worth workable work wont won without with willing value vaccine ut to try tried tracking town tooo too told today tired using tipped times tightening tight throughout through this think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under right ridiculous return nonesence offered offer off now notified nothing not nonsense non often no nice news newest new never needed need offset ok owning or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one must multiple much lower manservices making makes make made luck loyalty your lost moving losing loose looking longer long lol locations location market may maybe me moved move more months monthly month moment mom mistake mind merge memberships membership members member medical means owner pagos retiring raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession parent reside retired
Topic 22 | Coherence=-226613.19 | Top words= it and for prices only anymore at like time keep subscriber no long going loyalty will feel alarming rates we customer there is to afford don cant not pay greedy this thanks now want using by president being inflation biden caused opportunity every support won change paying re adding been you use month letting way budget us awhile users given grandkids gone hacked good garbage gas get guys greed great got go goes getting gf gotten girl gouging give games gonna youre future expensive far fan family fair fact face extra extortion expenses fee expected everything even euro especially entertainment entertaining enough fault fees fuel flat from frequent free forth forever forcing food focused fixed feet fix hacking first financially financial finally fiance few hackednot hike had issue joint join job jacking itself its issues isnt justify isn iny intolerable into interested instead increments just keeping increasing learning life let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept increasses increases half he hikes emails higher high her help health having history havent have has hardly hard happy hand hiking holder increased idea increase income in improvements im ill if husband horrible hungry huge how households household house hosehold end done email benefits billing bill biggest biased biannually bf between better benefit away begin before becoming because became be barely bank billings bills bit blindly caring cared care card cannot cancelling canceling cancel can bye but business buggin broke break boyfriend both back automatically changed addition agree againlater again after adicional addtional addresses additional added aunt activities acct accounts account access acceptance absurd about all allow allowed almost as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian am also already cell changes elsewhere declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain down double dont limited doesnt cutting customers changing climb compared company coming come combining combine college climbing city currently choose choice checking cheaper charging charges charged charge competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating limit loyal limiting span starting started start squeeze spouses spouse spending spend sorry stay soon son something someone some so situation single states stealing terrible success temporarily taste talk taking take system switching summer subscriptions stepdad subscription subscribers sub stupid stranger stopping stopped stop since significant signaling run see secure second scaling scales saving save same rules sign rule rotating rising risen rise ripped right ridiculous seems seen selection sense sight sick shoves shouldn should short she sharing share shady several settled set servicio services service series temporary than little was whats what were went well weeks week waste warrant where wants wanted waiting wait vs virtue value vaccine when while thank would youll yet years yearly year yall ya wouldn worth who workable work wont without with willing wife why ut uses used through told today tired tipped times tightening tight throughout think upward things thing they these their the thats that too tooo town tracking upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried return retiring retired new nothing nonsense nonesence non nice next news newest never of needed need my must multiple much moving moved notified off resume opened our others other original or options option opening ontario offer oneday one once on ok often offset offered move more months losing making makes make made luck your lower lost loose monthly looking longer lol locations location ll living live manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may out outside over raised reason really reality reactivate rather rate raising raises raise problem quickly quality putting put pushed provider profits profit recent recently recession rectifying
Topic 23 | Coherence=-221968.72 | Top words= my to have is in we and subscriptions anticonsumer where locations ridiculous are fee change upcoming increases pay use only moving different with new boyfriend consolidating fiance one moved so needed cancel need household location family restrict budget ontario wants everything price lack losing lol even dont as life for fair get getting girl gas gf youre give given hackednot hacked guys greedy greed great grandkids gouging gotten got good gonna gone games going goes go garbage flat future expenses far fan fact face extra extortion expensive expected feel every euro especially entertainment entertaining enough end fault fees fuel focused from frequent free forth forever forcing food had feet fixed fix first financially financial finally few hacking hike half hand keeping keep justify just joint join job jacking itself its it issues issue isnt isn iny intolerable keeps kept kidding less limiting limited limit like letting let lesser legacy kids left leave learning layoff later last laid into interested instead help history hiking hikes email higher high her health horrible he having havent has hardly hard happy holder hosehold inflation im increments increasses increasing increased increase income improvements ill house if idea husband hungry huge how households emails due elsewhere else biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile biden biggest bill but card cant cannot cancelling canceling can bye by business billing buggin broke break both blindly bit bills billings away automatically aunt adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at an aren apps aparently anyways anymore any another annually amounts all amount amercian am also already almost allowed allow care cared caring deal direction differences didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting currently drive eliminating el edge easily earlier each duplicate live drastically disgusts drain down double done don doesnt do divorce customer current caused checking combining combine college climbing climb city choose choice cheaper coming charging charges charged charge changing changes changed cell come company currency continues creep credit covid courtesy country costs cost continuous continue compared continually continously constantly constant consider connected compromised competitive little loyal living states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon temporarily the thats that thanks thank than terrible temporary taste subscription talk taking take system switching support summer success sorry son ll secure services service series sense selection seen seems see second set scaling scales saving save same run rules rule servicio settled something sight someone some situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady their there these way when whats what were went well weeks week waste who was warrant wanted want waiting wait vs virtue while why they wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will value vaccine ut times tracking town tooo too told today tired tipped time using tightening tight throughout through this think things thing tried try trying twice uses users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two rotating rising risen nothing often offset offered offer off of now notified not on nonsense nonesence non no nice next news newest ok once parents our pagos owning owner own overpriced over outside out others oneday other original or options option opportunity opening opened never must multiple made may married market many manservices making makes make luck much loyalty your lower lost loose looking longer long maybe me means medical move more months monthly month money monetary moment mom mistake mind might merge memberships membership members member parent passed rise re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing past restart ripped
Topic 24 | Coherence=-229732.58 | Top words= prices raising the only are youre stop your better is and so charge that cheaper keep customer other new with subscription if increases im extra charging money services because or into without gonna year price addtional put success differences any twice improvements you me some now back ridiculous youll every disappointed sub as raise in news please months nothing business taking rules upcoming over guys profits loose re done changing entertainment gas fuel gotten future games got garbage from give get good given getting gf gone girl frequent goes go going financial free fee far fan family fair fact face extortion expensive expenses expected everything even euro especially entertaining fault feel forth fees forever forcing for food focused flat fixed fix first financially grandkids finally fiance few feet gouging legacy great intolerable its it issues issue isnt isn iny interested jacking less instead inflation increments increasses increasing increased itself job income lack left leave learning layoff later last laid kids join kidding kept keeps keeping justify just joint increase ill greed hard he having havent have has hardly end happy health hand half had hacking hackednot hacked greedy lesser help idea hosehold husband hungry huge how households household house horrible her holder history hiking hikes hike higher high enough dont emails being biggest biden biased biannually bf between benefits benefit begin billing before been becoming became be barely bank awhile bill billings email by card cant cannot cancelling canceling cancel can bye but bills buggin budget broke break boyfriend both blindly bit away automatically aunt adding againlater again after afford adicional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore anticonsumer another annually an amounts amount amercian am also already almost allowed care cared caring decisions disgusting discontinue direction different didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting disgusts divorce do doesnt elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double letting don cut currently caused city company coming come combining combine college climbing climb choose current choice checking charges charged changes changed change cell compared competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider let loyal life start stopping stopped stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stranger stupid subscriber subscribers there their thats thanks thank than terrible temporary temporarily taste talk take system switching support summer subscriptions something situation return saving selection seen seems see secure second scaling scales save single same run rule rotating rising risen rise ripped sense series service servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set these they thing waste what were went well weeks week we way was things warrant wants wanted want waiting wait vs virtue whats when where while yet years yearly yall ya wouldn would worth workable work wont won willing will wife why who value vaccine ut try tracking town tooo too told today to tired tipped times time tightening tight throughout through this think tried trying using two uses users used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable right retiring like needed nonsense nonesence non no nice next newest never need month my must multiple much moving moved move more not notified of off others original options option opportunity opening opened ontario oneday one once on ok often offset offered offer monthly monetary retired lol luck loyalty lower lost losing looking longer long locations moment location ll living live little limiting limited limit made make makes making mom mistake mind might merge memberships membership members member medical means maybe may married market many manservices our out outside raises recent reason really reality reactivate rather rates rate raised overpriced quickly quality putting pushed provider profit profiles problem recently recession rectifying
Topic 25 | Coherence=-217269.51 | Top words= of out with extra me price share in grandkids the other stay without goes direction continually scales you finally selection one tipped pay town not we expenses unnecessary cutting choose moving wants time money acceptance future fuel hackednot games greedy from garbage gas frequent gouging gonna getting hacked gotten get gone gf girl give greed given go free got going guys good great fixed forth especially face extortion expensive expected everything every even euro entertainment fair entertaining enough end emails email elsewhere else eliminating fact family forever financially forcing for food focused flat had fix first financial fan fiance few feet fees feel fee fault far hacking youre half hand keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable kept kidding kids lesser little limiting limited limit like life letting let less lack legacy left leave learning layoff later last laid into interested instead health history hiking hikes hike higher high her help he horrible having edge havent have has hardly hard happy holder hosehold inflation im increments increasses increasing increases increased increase income improvements ill house if idea husband hungry huge how households household el double easily canceling between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically aunt bf biannually biased break can bye by but business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest at as aren addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access absurd about agree all are and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cancel cancelling earlier cannot delivering declined decisions death deal days day daughter date damn dad cut customers customer currently current currency creep credit deteriorated didnt differences dont each duplicate due drive drastically drain down living done different don doesnt do divorce disgusts disgusting discontinue disappointed covid courtesy country changes choice checking cheaper charging charges charged charge changing changed climb change cell caused caring cared care card cant city climbing costs consider cost continuous continues continue continously constantly constant consolidating connected college compromised competitive compared company coming come combining combine live loyal ll start stopping stopped stop stepdad stealing states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers something some ridiculous save sense seen seems see secure second scaling saving same service run rules rule rotating rising risen rise ripped series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she sharing shady several settled set that thats their waste whats what were went well weeks week way was where warrant wanted want waiting wait vs virtue value when while there would youll yet years yearly year yall ya wouldn worth who workable work wont won willing will wife why vaccine ut using tightening tracking tooo too told today to tired times tight uses throughout through this think things thing they these tried try trying twice users used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under unable two right return location no offer off now notified nothing nonsense nonesence non nice offset next news newest new never needed need my offered often multiple options own overpriced over outside our others original or option ok opportunity opening opened ontario only oneday once on must much retiring your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may moved mistake move more months monthly month monetary moment mom mind maybe might merge memberships membership members member medical means owner owning pagos rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parent reside retired
Topic 26 | Coherence=-218672.73 | Top words= many too your price why access luck subscription now checking and increments canceling greed where we be the good you will using newest an spouses married im another lol again reason layoff living given give girl gf getting get gas garbage games future fuel from frequent free forth forever forcing go goes for little hacking limited hackednot limiting hacked guys greedy great going grandkids gouging gotten got live gonna gone ll focused food half extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere face fact fair fiance flat fixed fix first financially financial finally few family feet fees feel fee fault far fan had hand later increases its it issues issue isnt isn is iny less intolerable into interested lesser instead inflation let increasses itself jacking job leave last laid lack learning kids kidding kept left join keeps legacy keeping keep justify just joint increasing increased happy increase hiking hikes hike limit eliminating higher high her help health he having havent have has hardly hard history holder horrible if income in letting life improvements like ill idea hosehold husband hungry huge how households household house else youre el edge biggest biden biased biannually bf between better benefits benefit being begin before been becoming because became barely bank back bill billing billings but card cant cannot cancelling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile away automatically addition agree againlater after afford adicional addtional addresses additional adding all added activities acct accounts account acceptance absurd about alarming allow aunt any at as aren are apps aparently anyways anymore anticonsumer allowed annually amounts amount amercian am also already almost care cared caring days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current down easily earlier each duplicate due drive drastically location double discontinue dont done don doesnt do divorce disgusts disgusting currently currency caused cheaper combining combine college climbing climb city choose choice charging coming charges charged charge changing changes changed change cell come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive drain loyal locations long stopping stopped stop stepdad stealing stay states starting started start squeeze spouse spending spend span sorry soon son something stranger stupid sub talk that thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers someone some so scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thats their there was what were went well weeks week way waste warrant when wants wanted want waiting wait vs virtue value whats while ut would youll yet years yearly year yall ya wouldn worth who workable work wont won without with willing wife vaccine uses these time town tooo told today to tired tipped times tightening tried tight throughout through this think things thing they tracking try users unneeded used use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice rise ripped right nothing ok often offset offered offer off of notified not once nonsense nonesence non no nice next news new on one needed other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only never need pagos makes medical means me maybe may market manservices making make members made loyalty lower lost losing loose looking longer member membership my monthly must multiple much moving moved move more months month memberships money monetary moment mom mistake mind might merge owning parent ridiculous rates recession recently recent really reality reactivate re rather rate redo raising raises raised raise quickly quality putting put rectifying reduce provider respect return retiring
Topic 27 | Coherence=-211224.20 | Top words= has need subscription one so dont an much only subscriptions anymore stepdad cost keep wife my rising combine risen too have households quickly than aparently remarried increased more inflation recession costs cant second broke annually since already expensive give garbage greedy frequent greed from fuel great grandkids gouging gotten future games gas got given good gonna get getting gf gone going goes girl free go youre forth every fair fact face extra extortion expenses expected everything even fan euro especially entertainment entertaining enough end emails email family far forever first forcing for food focused hacked flat fixed fix financially fault financial finally fiance few feet fees feel fee guys havent hackednot job kidding kept keeps keeping justify just joint join jacking lack itself its it issues issue isnt isn is kids laid intolerable letting living live little limiting limited limit like life let last lesser less legacy left leave learning layoff later iny into hacking health history hiking hikes hike higher high her help he horrible having else hardly hard happy hand half had holder hosehold interested improvements instead increments increasses increasing increases increase income in im house ill if idea husband hungry huge how household elsewhere drain eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away business cannot cancelling canceling cancel can bye by but buggin billing budget break boyfriend both blindly bit bills billings awhile automatically el adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aunt another at as aren are apps anyways any anticonsumer and all amounts amount amercian am also almost allowed allow card care cared days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed caring location edge easily earlier each duplicate due drive drastically down discontinue double done don doesnt do divorce disgusts disgusting currently current currency charging college climbing climb city choose choice checking cheaper charges creep charged charge changing changes changed change cell caused combining come coming company credit covid courtesy country continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared ll loyal locations stay subscriber sub stupid stranger stopping stopped stop stealing states success starting started start squeeze spouses spouse spending spend subscribers summer sorry thank they these there their the thats that thanks terrible support temporary temporarily taste talk taking take system switching span soon things secure services service series sense selection seen seems see scaling set scales saving save same run rules rule rotating servicio settled son sight something someone some situation single significant signaling sign sick several shoves shouldn should short she sharing share shady thing think ripped week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why vs wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing wait virtue this today twice trying try tried tracking town tooo told to unable tired tipped times time tightening tight throughout through two under value upward vaccine ut using uses users used use us upping understand upcoming up until unneeded unnecessary unfortunately unfair unemployed rise right lol nonsense offered offer off of now notified nothing not nonesence often non no nice next news newest new never offset ok must original own overpriced over outside out our others other or on options option opportunity opening opened ontario oneday once needed multiple owning luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moving mom moved move months monthly month money monetary moment mistake means mind might merge memberships membership members member medical owner pagos ridiculous rate recent reason really reality reactivate re rather rates raising rectifying raises raised raise quality putting put pushed provider recently redo profit respect return retiring
Topic 28 | Coherence=-217811.78 | Top words= you to for sharing want from pay guys more new that dont not so greed do people services just why loose stop because good will needed put they forth something fee need family no won really subscriptions adding fees long until waiting day warrant allow yearly prefer compromised rotating increase opened stay gotten garbage got goes gouging gas future fuel email eliminating grandkids games get gonna getting else gf girl give gone given go elsewhere going end emails entertainment frequent feel far fan fair fact face extra extortion expensive expenses expected everything every even euro especially fault feet free few forever forcing enough entertaining food focused flat fixed fix first great financially financial finally fiance youre have greedy isnt join job jacking itself its it issues issue isn justify is iny intolerable into interested instead inflation increments joint keep hacked learning life letting let lesser less legacy left leave layoff keeping later last laid lack kids kidding kept keeps increasses increasing increases edge higher high her help health he having havent has increased hardly hard happy hand half had hacking hackednot hike hikes hiking history income in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder el doesnt easily been bf between better benefits benefit being begin before becoming biased became be barely bank back awhile away automatically biannually biden at broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as cancelling addition againlater again after afford adicional addtional addresses additional added alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost canceling cannot earlier dad declined decisions death deal days daughter date damn cutting deteriorated cut customers customer currently current currency creep credit delivering didnt courtesy done each duplicate due drive drastically drain down double don differences limit divorce disgusts disgusting discontinue disappointed direction different covid country cant changing choose choice checking cheaper charging charges charged charge changes climb changed change cell caused caring cared care card city climbing costs consolidating cost continuous continues continue continually continously constantly constant consider college connected competitive compared company coming come combining combine like loyal limited spouse stepdad stealing states starting started start squeeze spouses spending stopping spend span sorry soon son someone some situation stopped stranger limiting take thank than terrible temporary temporarily taste talk taking system stupid switching support summer success subscription subscribers subscriber sub single since significant rules secure second scaling scales saving save same run rule signaling rising risen rise ripped right ridiculous return retiring see seems seen selection sign sight sick shoves shouldn should short she share shady several settled set servicio service series sense thanks thats the waste what were went well weeks week we way was uses wants wanted wait vs virtue value vaccine ut whats when where while youll yet years year yall ya wouldn would worth workable work wont without with willing wife who using users their tightening tooo too told today tired tipped times time tight used throughout through this think things thing these there town tracking tried try use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retired resume resubscribe news now notified nothing nonsense nonesence non nice next newest monthly never my must multiple much moving moved move of off offer offered others other original or options option opportunity opening ontario only oneday one once on ok often offset months month out losing makes make made luck loyalty your lower lost looking money longer lol locations location ll living live little making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married our outside restriction raise reactivate re rather rates rate raising raises raised quickly prices quality putting pushed provider profits profit profiles problem reality reason recent recently
Topic 29 | Coherence=-216733.18 | Top words= and do the up rates increasing are keeps it your am use thing same cost will others than who higher down going price but fixed income increase market pick competitive manservices shouldn hardly drive on budget from return tightening againlater to is quality just went non enough retired fee system biggest many way much like scaling services tooo temporarily warrant workable what profits membership no deal had garbage often kidding kids fix getting first financially lack get financial finally fiance few gf flat keep gas games food for feet forcing forever forth free kept frequent keeping fuel future focused increasses fees feel expected everything every left even legacy euro especially less entertainment entertaining lesser end emails email expenses leave learning fan girl laid last fault far later family expensive fair fact face extra layoff extortion justify goes give holder intolerable house iny hosehold isn horrible history households hiking hikes isnt hike issue issues household how its im increases increased inflation instead in improvements interested into ill if idea husband hungry huge high her given gotten guys greedy greed great grandkids gouging got hackednot good gonna gone joint increments go hacked hacking itself havent help health he else jacking having have half job has join hard happy hand elsewhere youre eliminating been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden card buggin cannot cancelling canceling cancel can bye by business broke bill break boyfriend both blindly bit bills billings billing automatically aunt at adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed cant care el daughter didnt deteriorated delivering declined decisions death days day date different damn dad cutting cut customers customer currently current differences direction cared double edge easily earlier each duplicate due drastically drain dont disappointed done don doesnt letting divorce disgusts disgusting discontinue currency creep credit charges climbing climb city choose choice checking cheaper charging charged covid charge changing changes changed change cell caused caring college combine combining come courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised compared company coming let loyal life spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stop stopped stopping terrible temporary taste talk taking take switching support summer success subscriptions subscription subscribers subscriber sub stupid stranger so single resubscribe rules seems see secure second scales saving save run rule since rotating rising risen rise ripped right ridiculous retiring seen selection sense series significant signaling sign sight sick shoves should short she sharing share shady several settled set servicio service thank thanks that was when whats were well weeks week we waste wants thats wanted want waiting wait vs virtue value vaccine where while why wife youll you yet years yearly year yall ya wouldn would worth work wont won without with willing ut using uses tracking too told today tired tipped times time tight throughout through this think things they these there their town tried users try used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resume restriction limit new nothing not nonsense nonesence nice next news newest never months needed need my must multiple moving moved move notified now of off other original or options option opportunity opening opened ontario only oneday one once ok offset offered offer more monthly restrict long luck loyalty lower lost losing loose looking longer lol month locations location ll living live little limiting limited made make makes making money monetary moment mom mistake mind might merge memberships members member medical means me maybe may married our out outside quickly reactivate re rather rate raising raises raised raise putting over put pushed provider profit profiles problem pricing prices reality really reason
Topic 30 | Coherence=-218432.31 | Top words= price increasing are you much other company far entertaining seems or biannually ill options after consider too year like increases has prices your many it increase be what new should value while half delivering point continually little was charged is customer really feel nonsense loyalty short ontario time youre apps alarming greedy greed great grandkids gouging gotten got good gonna gone going goes go given give girl gf guys hacked hackednot havent help adicional afford health again he having have hacking againlater hardly hard happy hand agree had getting get expensive gas financial finally fiance few feet fees allowed fee fault almost fan family fair fact face already extra financially first fix forth garbage games future fuel from frequent free forever fixed forcing for food all allow focused flat her high higher addtional lack kids kidding kept keeps keeping keep justify just joint join job jacking itself its account issues laid access last lesser limiting limited limit about life letting let less later legacy absurd acceptance left leave learning layoff issue isnt isn household if idea husband hungry huge how households house additional hosehold horrible holder history hiking hikes hike addresses im accounts increments iny intolerable into interested acct instead inflation increasses improvements activities added adding increased addition income in extortion expenses aren buggin changed change cell caused caring cared care card cant cannot cancelling canceling cancel can bye by but changes changing charge climbing compared another coming come combining combine college climb anticonsumer city choose choice checking cheaper charging charges business budget expected broke being begin before been becoming because became aparently barely bank back awhile away automatically aunt at as benefit benefits better billings break boyfriend both blindly any bit bills billing between bill biggest anymore biden biased anyways bf competitive compromised connected annually due drive live drain down double dont done don doesnt do divorce disgusts disgusting discontinue disappointed direction duplicate each earlier enough everything every even euro especially entertainment also end easily emails email elsewhere else eliminating el edge different differences am cost currency creep credit covid courtesy country costs continuous currently continues continue and continously constantly constant consolidating current an didnt day deteriorated amercian declined decisions death deal days daughter customers date damn dad cutting amount amounts cut drastically loyal living states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon taste thats that thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions sorry son rise scaling service series sense selection seen see secure second scales servicio saving save same run rules rule rotating rising services set something sign someone some so situation single since significant signaling sight settled sick shoves shouldn she sharing share shady several the their there waste whats were went well weeks week we way warrant where wants wanted want waiting wait vs virtue vaccine when who these worth youll yet years yearly yall ya wouldn would workable why work wont won without with willing will wife ut using uses times tracking town tooo told today to tired tipped tightening users tight throughout through this think things thing they tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two risen ripped ll non offer off of now notified nothing not nonesence no offset nice next news newest never needed need my offered often multiple original owner own overpriced over outside out our others option ok opportunity opening opened only oneday one once on must moving right lower married market manservices making makes make made luck lost maybe losing loose looking longer long lol locations location may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical owning pagos parent rather rectifying recession recently recent reason reality reactivate re rates reduce rate raising raises raised raise quickly quality putting redo reducing parents restart ridiculous
Topic 31 | Coherence=-215607.95 | Top words= for the and have is this months few to in money back come as ill much tight budget try once using trying bills reduce youll pay wait addtional return upcoming euro possible cheaper other currency been at right later given may creep value people fuel hacked future games garbage gas great from grandkids going get gone getting guys gouging gotten gf got good give greedy greed gonna go goes girl youre frequent everything fair fact face extra extortion expensive expenses expected every fan even especially entertainment entertaining enough end emails email family far free fix forth forever forcing food hacking focused flat fixed first fault financially financial finally fiance feet fees feel fee hackednot high had jacking keeps keeping keep justify just joint join job itself half its it issues issue isnt isn iny intolerable kept kidding kids lack little limiting limited limit like life letting let lesser less legacy left leave learning layoff last laid into interested instead horrible history hiking hikes hike higher else her help health he having havent has hardly hard happy hand holder hosehold inflation house increments increasses increasing increases increased increase income improvements im if idea husband hungry huge how households household elsewhere drain eliminating begin biased biannually bf between better benefits benefit being before biggest becoming because became be barely bank awhile away biden bill care but cant cannot cancelling canceling cancel can bye by business billing buggin broke break boyfriend both blindly bit billings automatically aunt aren adding againlater again after afford adicional addresses additional addition added are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed card cared el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue caring living edge easily earlier each duplicate due drive drastically down disgusting double dont done don doesnt do divorce disgusts customer currently current charging combine college climbing climb city choose choice checking charges credit charged charge changing changes changed change cell caused combining coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive live loyal ll squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger some system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub someone so thanks scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thank that location week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why virtue would you yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs vaccine thats tightening tooo too told today tired tipped times time throughout tracking through think things thing they these there their town tried ut until uses users used use us upward upping up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two rise ripped ridiculous non off of now notified nothing not nonsense nonesence no offered nice next news newest new never needed need offer offset must option over outside out our others original or options opportunity often opening opened ontario only oneday one on ok my multiple retiring your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market maybe moving mistake moved move more monthly month monetary moment mom mind me might merge memberships membership members member medical means overpriced own owner raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession owning reside retired
Topic 32 | Coherence=-215364.68 | Top words= to with cut back prices due have on these high in other entertainment fuel having rise costs and job need damn lost limiting stop household gas mind use yall losing trying piracy increasing users only single vaccine expenses access time get raising long is fees wouldn wife becoming allowed future great greed games from frequent free got garbage getting gf girl give forth given go gouging goes going gone gonna gotten good grandkids youre forever family fact face extra extortion expensive expected everything every even euro especially entertaining enough end emails email elsewhere fair fan forcing far for food focused flat fixed fix guys first financially financial finally fiance few feet feel fee fault greedy help hacked kept keeping keep justify just joint join jacking itself its it issues issue isnt isn iny intolerable into keeps kidding hackednot kids limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack interested instead inflation increments hiking hikes hike higher her eliminating health he havent has hardly hard happy hand half had hacking history holder horrible ill increasses increases increased increase income improvements im if hosehold idea husband hungry huge how households house else double el begin biased biannually bf between better benefits benefit being before biggest been because became be barely bank awhile away biden bill aunt buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically at cant addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian am also already almost cannot card edge day didnt deteriorated delivering declined decisions death deal days daughter different date dad cutting customers customer currently current currency differences direction credit live easily earlier each duplicate drive drastically drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue creep covid care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine courtesy constant country cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come little loyal living squeeze stopped stepdad stealing stay states starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone so ridiculous saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen ripped sense service situation should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio thanks that thats waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where the worth youll you yet years yearly year ya would workable while work wont won without willing will why who value ut using tight tooo too told today tired tipped times tightening throughout uses through this think things thing they there their town tracking tried try used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right return ll non off of now notified nothing not nonsense nonesence no offered nice next news newest new never needed my offer offset multiple options overpriced over outside out our others original or option often opportunity opening opened ontario oneday one once ok must much retiring luck married market many manservices making makes make made loyalty maybe your lower loose looking longer lol locations location may me moving moment moved move more months monthly month money monetary mom means mistake might merge memberships membership members member medical own owner owning rate recent reason really reality reactivate re rather rates raises recession raised raise quickly quality putting put pushed provider recently rectifying pagos reside retired
Topic 33 | Coherence=-225523.96 | Top words= to the and my are have different about extortion me want this extra of disgusting company be taste already made kids between activities choose expensive putting is its country one into youre when other you going it or that times increase amount currency changed current location for started moved was another moving pay financial change months everything nonsense willing justify money getting euro every hackednot hacked guys girl give given go even goes entertainment grandkids greedy greed gone gonna good got gotten gouging especially great gf fees get expected flat fixed fair fix first financially family fan far finally fiance fault fee feel few had focused food fuel gas expenses garbage feet games future from fact frequent face free forth forever forcing hacking hike half itself keeping keep just joint join job jacking issues kept issue isnt isn iny intolerable interested instead keeps kidding hand less limited limit like life letting let lesser legacy lack left leave learning layoff later last laid inflation increments increasses help history hiking hikes enough higher high her health increasing he having havent has hardly hard happy holder horrible hosehold house increases increased income in improvements im ill if idea husband hungry huge how households household entertaining drain end benefit bill biggest biden biased biannually bf better benefits being billings begin before been becoming because became barely bank billing bills emails by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly back awhile away additional agree againlater again after afford adicional addtional addresses addition automatically adding added acct accounts account access acceptance absurd alarming all allow allowed aunt at as aren apps aparently anyways anymore any anticonsumer annually an amounts amercian am also almost care cared caring delivering divorce disgusts discontinue disappointed direction differences didnt deteriorated declined cutting decisions death deal days day daughter date damn do doesnt don done email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically little down double dont dad cut caused choice coming come combining combine college climbing climb city checking customers cheaper charging charges charged charge changing changes cell compared competitive compromised connected customer currently creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider limiting loyal live squeeze stopped stop stepdad stealing stay states starting start spouses stranger spouse spending spend span sorry soon son something stopping stupid some take thanks thank than terrible temporary temporarily talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone so living scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thats their there way whats what were went well weeks week we waste while warrant wants wanted waiting wait vs virtue value where who these would youll yet years yearly year yall ya wouldn worth why workable work wont won without with will wife vaccine ut using tipped tried tracking town tooo too told today tired time uses tightening tight throughout through think things thing they try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable rise ripped right nonesence offset offered offer off now notified nothing not non ok no nice next news newest new never needed often on parent others owning owner own overpriced over outside out our original once options option opportunity opening opened ontario only oneday need must multiple lower many manservices making makes make luck loyalty your lost much losing loose looking longer long lol locations ll market married may maybe move more monthly month monetary moment mom mistake mind might merge memberships membership members member medical means pagos parents ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality put rectifying reduce passed respect return
Topic 34 | Coherence=-228622.65 | Top words= to price and money it need has save up use as just hike your since other like enough was services dont gone too much drastically selection of deteriorated member span some months in that continues subscription or time trying hard have go don earlier never sorry oneday expensive went subscriptions anymore financially cancel right stupid do hacked get fix political signaling climb virtue back annually prefer platforms ridiculous spend times horrible moved paying drive cheaper games garbage getting future gf fuel girl from give given goes frequent gas youre free everything fair fact face extra extortion expenses expected every fan even euro especially entertainment entertaining end emails family far forth first forever forcing for food focused flat fixed financial fault finally fiance few feet fees feel fee going half gonna jacking its issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased itself job income join legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping keep justify joint increase improvements good health having havent hardly happy hand elsewhere had hacking hackednot guys greedy greed great grandkids gouging gotten got he help im her ill if idea husband hungry huge how households household house hosehold holder history hiking hikes higher high email disgusts else before biannually bf between better benefits benefit being begin been aunt becoming because became be barely bank awhile away biased biden biggest bill canceling can bye by but business buggin budget broke break boyfriend both blindly bit bills billings billing automatically at eliminating adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all are apps aparently anyways any anticonsumer another an amounts amount amercian am also already almost allowed allow cancelling cannot cant damn declined decisions death deal days day daughter date dad card cutting cut customers customer currently current currency creep delivering didnt differences different el edge easily each duplicate due drain down double done doesnt divorce lesser disgusting discontinue disappointed direction credit covid courtesy college city choose choice checking charging charges charged charge changing changes changed change cell caused caring cared care climbing combine country combining costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come less loyal let start stopped stop stepdad stealing stay states starting started squeeze single spouses spouse spending soon son something someone so stopping stranger sub subscriber thats thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscribers situation significant letting rotating second scaling scales saving same run rules rule rising sign risen rise ripped return retiring retired resume resubscribe secure see seems seen sight sick shoves shouldn should short she sharing share shady several settled set servicio service series sense the their there weeks who while where when whats what were well week these we way waste warrant wants wanted want waiting why wife will willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with wait vs value twice tried tracking town tooo told today tired tipped tightening tight throughout through this think things thing they try two vaccine unable ut using uses users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under restriction restrict restart needed nonesence non no nice next news newest new my others must multiple moving move more monthly month monetary nonsense not nothing notified options option opportunity opening opened ontario only one once on ok often offset offered offer off now moment mom mistake loyalty lost losing loose looking longer long lol locations location ll living live little limiting limited limit life lower luck mind made might merge memberships membership members medical means me maybe may married market many manservices making makes make original our respect quality rather rates rate raising raises raised raise quickly putting out put pushed provider profits profit profiles problem pricing re reactivate reality
Topic 35 | Coherence=-228005.77 | Top words= family and bill about you charge greedy subscription youre its have but different taste disgusting subscriptions company pay are of power money that using outside me like don news paying limit with want waste the share would rather learning time spend to holder cost death raising account fault raised damn increase gf end give every girl get getting even gas garbage emails games given gouging go enough euro especially goes future gone gonna good great got grandkids entertainment gotten entertaining going expected fuel everything financial finally fiance few feet fees extortion extra feel fee far fan face fact limiting financially first fix forcing from fair frequent free forth forever for fixed food expenses expensive focused flat limited greed happy guys join letting jacking itself life it issues issue isnt isn is iny intolerable into interested instead inflation increments job joint increasing just lesser less legacy left leave layoff later last laid lack kids kidding kept keeps keeping keep justify increasses increases hacked hike high her help health he having havent elsewhere has hardly hard let hand half had hacking hackednot higher hikes increased hiking income in improvements im ill if idea husband hungry huge how households household house hosehold horrible history email dont else been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden eliminating budget cancelling canceling cancel can bye by business buggin broke biggest break boyfriend both blindly bit bills billings billing automatically aunt at additional agree againlater again after afford adicional addtional addresses addition as adding added activities acct accounts access acceptance absurd alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cannot cant card day differences didnt deteriorated delivering declined decisions deal days daughter creep date dad cutting cut customers customer currently current direction disappointed discontinue disgusts el edge easily earlier each duplicate due drive drastically drain down double live done doesnt do divorce currency credit care charges climbing climb city choose choice checking cheaper charging charged covid changing changes changed change cell caused caring cared college combine combining come courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared coming little loyal living spouses stepdad stealing stay states starting started start squeeze spouse stopped spending span sorry soon son something someone some stop stopping situation take thanks thank than terrible temporary temporarily talk taking system stranger switching support summer success subscribers subscriber sub stupid so single ll same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense since short significant signaling sign sight sick shoves shouldn should she series sharing shady several settled set servicio services service thats their there way whats what were went well weeks week we was where warrant wants wanted waiting wait vs virtue value when while these worth youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why vaccine ut uses times tracking town tooo too told today tired tipped tightening users tight throughout through this think things thing they tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous return retiring next notified nothing not nonsense nonesence non no nice newest off new never needed need my must multiple much now offer out opened others other original or options option opportunity opening ontario offered only oneday one once on ok often offset moving moved move lower manservices making makes make made luck loyalty your lost more losing loose looking longer long lol locations location many market married may months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe our over retired raise reason really reality reactivate re rates rate raises quickly recently quality putting put pushed provider profits profit profiles recent recession overpriced repurposing resume
Topic 36 | Coherence=-222709.35 | Top words= services im better if cheaper reason people was charging so are now using gonna other keep kept that subscription out extra it your prices my you off has laid just reducing expenses benefit an already when date got climb unneeded monthly bf payment bills switching eliminating he not told else far we begin seen entertaining entertainment end enough especially garbage grandkids gas guys greedy great get gotten getting games gf girl give gouging go greed goes going gone good given fact future expected financial expensive finally fiance few feet fees feel fee extortion fault fan family face fair financially first fuel fix from frequent euro even every forth forever forcing for food focused hacked flat fixed everything free youre hackednot keeps justify joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead keeping kidding hacking kids limiting limited limit like life letting let lesser less legacy left leave learning layoff later last lack inflation increments increasses increasing hikes hike higher high her help health email having havent have hardly hard happy hand half had hiking history holder idea increases increased increase income in improvements ill husband horrible hungry huge how households household house hosehold emails down elsewhere becoming biden biased biannually between benefits being before been because bill became be barely bank back awhile away automatically biggest billing care but cant cannot cancelling canceling cancel can bye by business billings buggin budget broke break boyfriend both blindly bit aunt at as adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also almost allowed allow card cared el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter damn dad cutting cut customers customer direction discontinue caring drain edge easily earlier each duplicate due drive drastically live disgusting double dont done don doesnt do divorce disgusts currently current currency checking come combining combine college climbing city choose choice charges creep charged charge changing changes changed change cell caused coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised little loyal living started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something taste the thats thanks thank than terrible temporary temporarily talk subscriber taking take system support summer success subscriptions subscribers son someone ll saving sense selection seems see secure second scaling scales save service same run rules rule rotating rising risen rise series servicio some shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled their there these way where whats what were went well weeks week waste who warrant wants wanted want waiting wait vs virtue while why they would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will value vaccine ut times tracking town tooo too today to tired tipped time uses tightening tight throughout through this think things thing tried try trying twice users used use us upward upping upcoming up until unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous next of notified nothing nonsense nonesence non no nice news offered newest new never needed need must multiple much offer offset own opportunity over outside our others original or options option opening often opened ontario only oneday one once on ok moving moved move lower many manservices making makes make made luck loyalty lost more losing loose looking longer long lol locations location market married may maybe months month money monetary moment mom mistake mind might merge memberships membership members member medical means me overpriced owner return raising recent really reality reactivate re rather rates rate raises recession raised raise quickly quality putting put pushed provider recently rectifying owning residence retiring
Topic 37 | Coherence=-220335.99 | Top words= worth not to for me extra your charge bye thank sign when going in re ut daughter uses it college no she anyways and good price increase currently enough be the used family as allow few caused sharing youre rates happy financial go got euro gonna gone even goes given finally give girl gf every getting get gotten especially entertainment gouging grandkids entertaining great greed greedy end guys hacked hackednot hacking emails had email gas garbage games fair financially first fiance fix feet fees feel fee fault far fixed half focused fan food future fact face extortion forcing forever forth free expensive frequent expenses from expected everything fuel flat health hand joint kids kidding kept keeps keeping keep justify just join laid job jacking itself its issues issue isnt isn lack last hard life ll living live little limiting limited limit like letting later let lesser less legacy left leave learning layoff is iny intolerable high hosehold horrible holder history hiking hikes hike higher her into help else he having havent have has hardly house household households how interested instead inflation increments increasses increasing increases increased income improvements im ill if idea husband hungry huge elsewhere down eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank back awhile biden bill automatically buggin cannot cancelling canceling cancel can by but business budget billing broke break boyfriend both blindly bit bills billings away aunt el adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at annually aren are apps aparently anymore any anticonsumer another an all amounts amount amercian am also already almost allowed cant card care deal different differences didnt deteriorated delivering declined decisions death days disappointed day date damn dad cutting cut customers customer direction discontinue cared drain edge easily earlier each duplicate due drive drastically locations disgusting double dont done don doesnt do divorce disgusts current currency creep cheaper combining combine climbing climb city choose choice checking charging credit charges charged changing changes changed change cell caring come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive location loyal lol long stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber talk thats that thanks than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription son something someone saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service some shoves so situation single since significant signaling sight sick shouldn services should short share shady several settled set servicio their there these we where whats what were went well weeks week way who waste was warrant wants wanted want waiting wait while why virtue wouldn youll you yet years yearly year yall ya would wife workable work wont won without with willing will vs value they times tracking town tooo too told today tired tipped time try tightening tight throughout through this think things thing tried trying vaccine until using users use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous nonsense offset offered offer off of now notified nothing nonesence ok non nice next news newest new never needed often on my or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one need must owner make maybe may married market many manservices making makes made medical luck loyalty lower lost losing loose looking longer means member multiple money much moving moved move more months monthly month monetary members moment mom mistake mind might merge memberships membership own owning return raising recently recent reason really reality reactivate rather rate raises rectifying raised raise quickly quality putting put pushed provider recession redo profit residence retiring retired
Topic 38 | Coherence=-216849.60 | Top words= the sharing of your pricing addition terrible increasing greedy keep prices charges and you with me is charging it company month greed hike subscriptions cant different playing first didnt tired games let cancel subscribers double payment same emails disgusts stopping increased caring expected due share reflect span days gone getting get grandkids garbage future fuel gas gf gouging great gonna girl gotten got give given goes going good from go youre frequent free family fair fact face extra extortion expensive expenses everything every even euro especially entertainment entertaining enough end fan far fault fixed forth forever forcing for food focused flat financially fee financial finally fiance few feet fees feel fix happy guys itself keeps keeping justify just joint join job jacking its kidding issues issue isnt isn iny intolerable into interested kept kids inflation lesser live little limiting limited limit like life letting less lack legacy left leave learning layoff later last laid instead increments hacked have higher high her help health he having havent has hiking hardly hard elsewhere hand half had hacking hackednot hikes history increasses idea increases increase income in improvements im ill if husband holder hungry huge how households household house hosehold horrible email down else because better benefits benefit being begin before been becoming became bf be barely bank back awhile away automatically aunt between biannually eliminating boyfriend bye by but business buggin budget broke break both biased blindly bit bills billings billing bill biggest biden at as aren adding againlater again after afford adicional addtional addresses additional added are activities acct accounts account access acceptance absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed can canceling cancelling date deteriorated delivering declined decisions death deal day daughter damn credit dad cutting cut customers customer currently current currency differences direction disappointed discontinue el edge easily earlier each duplicate drive drastically drain ll dont done don doesnt do divorce disgusting creep covid cannot charge climbing climb city choose choice checking cheaper charged changing courtesy changes changed change cell caused cared care card college combine combining come country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared coming living loyal location starting stupid stranger stopped stop stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend sorry soon sub subscription something temporary these there their thats that thanks thank than temporarily success taste talk taking take system switching support summer son someone thing scales sense selection seen seems see secure second scaling saving service save run rules rule rotating rising risen rise series services some sick so situation single since significant signaling sign sight shoves servicio shouldn should short she shady several settled set they things right we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who virtue would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife vs value think today trying try tried tracking town tooo too told to two tipped times time tightening tight throughout through this twice unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand ripped ridiculous locations non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered often must option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on my multiple overpriced luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking longer long lol may means much moment moving moved move more months monthly money monetary mom medical mistake mind might merge memberships membership members member over own return rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits residence retiring retired
Topic 39 | Coherence=-225432.54 | Top words= to and of almost that price raised dont shady cancel tried used once you offer fact need just your also like pay change the cut subscription increase talk expenses limited recent sharing prices services bye raising country billing increased on rent per continously restriction month raise out date costs due must looking fault retiring acceptance new buggin continue else yall leave lol currently return gone got good addtional gonna going gouging goes adicional go given give girl gf gotten greed grandkids great having havent have has hardly hard happy hand half had hacking addresses hackednot hacked guys greedy get getting back gas again after fiance few feet fees feel fee far finally fan family fair againlater agree alarming all afford financial garbage forever he future fuel from frequent free forth forcing financially for food focused flat fixed fix first games additional health its justify access joint join job jacking itself it keeping issues issue isnt isn is iny intolerable keep keeps interested learning letting about let lesser less legacy left layoff kept later absurd last laid lack kids kidding into instead help added household house hosehold horrible holder history hiking hikes how adding hike higher high her addition extra households huge inflation in increments increasses account increasing increases accounts income improvements hungry im acct ill activities if idea husband face allow extortion expensive charges charged charge changing changes changed apps are cell caused caring cared care card cant aren cannot charging aparently cheaper come consider connected compromised competitive compared company coming combining checking combine college climbing climb city choose choice as cancelling canceling being biased biannually bf between better benefits benefit begin biden before been becoming because became be barely awhile biggest at break can aunt by but business budget broke boyfriend bill both blindly bit automatically bills billings away consolidating constant constantly drastically earlier each am duplicate amercian drive life drain edge down double amount done don doesnt do easily el disgusts especially bank expected everything every allowed even euro entertainment eliminating entertaining enough end emails email elsewhere already divorce disgusting anyways credit cutting anticonsumer customers customer current currency creep covid another courtesy any anymore cost continuous continues continually dad damn discontinue declined disappointed direction different differences didnt deteriorated delivering decisions annually death deal amounts days day daughter an youre loyal limit stay sub stupid stranger stopping stopped stop stepdad stealing states sorry starting started start squeeze spouses spouse spending spend subscriber subscribers subscriptions success these there their thats thanks thank than terrible temporary temporarily taste taking take system switching support summer span soon thing secure servicio service series sense selection seen seems see second son scaling scales saving save same run rules rule set settled several share something someone some so situation single since significant signaling sign sight sick shoves shouldn should short she they things limiting week where when whats what were went well weeks we vs way waste was warrant wants wanted want waiting while who why wife youll yet years yearly year ya wouldn would worth workable work wont won without with willing will wait virtue think today twice trying try tracking town tooo too told tired value tipped times time tightening tight throughout through this two unable under understand vaccine ut using uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed rotating rising risen next notified nothing not nonsense nonesence non no nice news more newest never needed my multiple much moving moved now off offered offset outside our others other original or options option opportunity opening opened ontario only oneday one ok often move months rise losing making makes make made luck loyalty lower lost loose monthly longer long locations location ll living live little manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may over overpriced own rates recession recently reason really reality reactivate re rather rate owner raises quickly quality putting put pushed provider profits rectifying redo reduce
Topic 40 | Coherence=-216912.23 | Top words= many greedy you charging your extra hikes also subscriptions price fan years past way few over not money to because share the of extortion gotten times adicional servicio el pagos por financially been higher than good girl future half games garbage gas had hacking get getting gf hackednot give gonna given hacked go guys greed goes going great grandkids gone gouging got forcing fuel euro fact face expensive expenses expected everything every even especially family entertainment entertaining enough end emails email elsewhere else fair far from fixed frequent free forth forever for food focused flat fix fault first financial finally fiance feet fees feel fee hand youre happy join kidding kept keeps keeping keep justify just joint job lack jacking itself its it issues issue isnt isn kids laid hard letting living live little limiting limited limit like life let last lesser less legacy left leave learning layoff later is iny intolerable high household house hosehold horrible holder history hiking hike her into help health he having havent have has hardly households how huge hungry interested instead inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband eliminating drastically edge aunt biden biased biannually bf between better benefits benefit being begin before becoming became be barely bank back awhile away biggest bill billing business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically at easily as agree againlater again after afford addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about alarming all allow another aren are apps aparently anyways anymore any anticonsumer annually allowed and an amounts amount amercian am already almost cant card care cared didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current differences different direction double earlier each duplicate due drive location drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue currency creep credit charges college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company ll loyal locations starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son taste their thats that thanks thank terrible temporary temporarily talk subscribers taking take system switching support summer success subscription soon something these scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service set someone sight some so situation single since significant signaling sign sick settled shoves shouldn should short she sharing shady several there they rise we when whats what were went well weeks week waste while was warrant wants wanted want waiting wait vs where who value worth youll yet yearly year yall ya wouldn would workable why work wont won without with willing will wife virtue vaccine thing tired try tried tracking town tooo too told today tipped twice time tightening tight throughout through this think things trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under risen ripped lol nonesence offset offered offer off now notified nothing nonsense non ok no nice next news newest new never needed often on my or own overpriced outside out our others other original options once option opportunity opening opened ontario only oneday one need must owning made maybe may married market manservices making makes make luck means loyalty lower lost losing loose looking longer long me medical multiple monetary much moving moved move more months monthly month moment member mom mistake mind might merge memberships membership members owner parent right re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing put restart ridiculous return
Topic 41 | Coherence=-210010.77 | Top words= your are for will months to cancel year rate increasses offset each up raising subscriptions elsewhere take set kidding everything had town re reason youre caused fact gonna going end goes go given give enough girl gf getting entertaining get gas garbage games gone good fuel got half eliminating hacking hackednot hacked else email guys greedy greed great grandkids emails gouging gotten future from face fiance feet fees feel every fee expected expenses fault far expensive extortion fan family extra fair few even frequent finally free forth forever entertainment especially forcing euro food focused flat fixed hand first financially financial fix havent happy hard lack kids kept keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn laid last later like location ll living live little limiting limited limit life layoff letting let lesser less legacy left leave learning is iny intolerable high hosehold horrible holder history hiking hikes hike higher her household help health he having edge have has hardly house households into income interested instead inflation increments increasing increases increased increase in how improvements im ill if idea husband hungry huge el drastically easily at bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biannually biased biden broke canceling can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as earlier aren againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree alarming all and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cancelling cannot cant card delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current currency creep deteriorated didnt differences done duplicate due drive lol drain down double dont don different doesnt do divorce disgusts disgusting discontinue disappointed direction credit covid courtesy charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caring cared care climbing combine country constant costs cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come locations loyal long there stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber temporarily the thats that thanks thank than terrible temporary taste subscribers talk taking system switching support summer success subscription son something someone scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their these longer they when whats what were went well weeks week we way waste was warrant wants wanted want waiting wait vs where while who would youll you yet years yearly yall ya wouldn worth why workable work wont won without with willing wife virtue value vaccine times tried tracking tooo too told today tired tipped time trying tightening tight throughout through this think things thing try twice ut upcoming using uses users used use us upward upping until two unneeded unnecessary unfortunately unfair unemployed understand under unable risen rise ripped right often offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new never ok on once original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday needed need my makes me maybe may married market many manservices making make medical made luck loyalty lower lost losing loose looking means member must money multiple much moving moved move more monthly month monetary members moment mom mistake mind might merge memberships membership owner owning pagos rates rectifying recession recently recent really reality reactivate rather raises reduce raised raise quickly quality putting put pushed provider redo reducing profit restart ridiculous return
Topic 42 | Coherence=-218523.70 | Top words= price the and of increase hikes are greedy for people out lack your how too ridiculous getting subscription their tracking they increases profiles sharing constant hand keep reality access acceptance this issues now future selection expected spending happy is that budget absurd stop girl ya stopping tired far already history throughout raises got became gouging kids hacked annually youll same hardly way else gotten good games given garbage eliminating gonna fuel get gone going goes gf give go gas especially from face end fee fault fan family fair enough fact extra frequent extortion expensive expenses entertaining everything every even entertainment feel fees feet emails elsewhere free forth forever forcing euro food focused flat fixed fix first financially financial finally fiance few email having grandkids it just joint join job jacking itself its issue keeping isnt isn iny intolerable into interested instead justify keeps increments legacy limit like life letting let lesser less left kept leave learning layoff later last laid kidding inflation increasses great have high her help health he edge havent has hike hard half had hacking hackednot guys greed higher hiking increasing idea increased income in improvements im ill if husband holder hungry huge households household house hosehold horrible el youre easily benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because be barely bank bill billings cared by card cant cannot cancelling canceling cancel can bye but bills business buggin broke break boyfriend both blindly bit back awhile away addresses alarming agree againlater again after afford adicional addtional additional automatically addition adding added activities acct accounts account about all allow allowed almost aunt at as aren apps aparently anyways anymore any anticonsumer another an amounts amount amercian am also care caring earlier day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction caused dont each duplicate due drive drastically drain down double done disappointed don doesnt limiting do divorce disgusts disgusting discontinue current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changing changes changed change cell combining come coming company covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared limited loyal little spend stay states starting started start squeeze spouses spouse span stepdad sorry soon son something someone some so situation stealing stopped thanks system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid single since significant rule secure second scaling scales saving save run rules rotating signaling rising risen rise ripped right return retiring retired see seems seen sense sign sight sick shoves shouldn should short she share shady several settled set servicio services service series thank thats resubscribe we when whats what were went well weeks week waste while was warrant wants wanted want waiting wait vs where who there worth you yet years yearly year yall wouldn would workable why work wont won without with willing will wife virtue value vaccine tipped trying try tried town tooo told today to times ut time tightening tight through think things thing these twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand resume restriction live never nonesence non no nice next news newest new needed not need my must multiple much moving moved move nonsense nothing other oneday or options option opportunity opening opened ontario only one notified once on ok often offset offered offer off more months monthly losing making makes make made luck loyalty lower lost loose month looking longer long lol locations location ll living manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may original others restrict putting rather rates rate raising raised raise quickly quality put reactivate pushed provider profits profit problem pricing prices president re really our remarried restart
Topic 43 | Coherence=-222739.28 | Top words= price the increases subscription in will change pay different where upcoming we me am fee ridiculous many use too has locations months over edge pushed service reality using broke gone barely covid people drain flat opening often money currently lack into for cant don terrible town fuel customer give girl gf given every getting go get goes going gas gonna even games guys greedy enough greed entertaining entertainment great grandkids especially gouging euro gotten got emails good garbage fan future fact financially extra financial face finally fiance fair everything few feet fees feel family fault first fix fixed hacked extortion end expensive focused food expenses forcing expected forever forth free frequent far from havent hackednot itself keeping keep justify just joint join job jacking its instead it issues issue isnt isn is iny intolerable keeps kept kidding kids limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid interested inflation hacking he hiking hikes hike higher high her help health having increments elsewhere have hardly hard happy hand half had history holder horrible hosehold increasses increasing increased increase income improvements im ill if idea husband hungry huge how households household house email youre else becoming between better benefits benefit being begin before been because biannually became be bank back awhile away automatically aunt bf biased as break cancel can bye by but business buggin budget boyfriend biden both blindly bit bills billings billing bill biggest at aren cancelling adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amounts amount amercian also already almost allowed allow canceling cannot eliminating day didnt deteriorated delivering declined decisions death deal days daughter direction date damn dad cutting cut customers current currency differences disappointed credit live el easily earlier each duplicate due drive drastically down discontinue double dont done doesnt do divorce disgusts disgusting creep courtesy card charged climb city choose choice checking cheaper charging charges charge college changing changes changed cell caused caring cared care climbing combine country constant costs cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come little loyal living start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone taking that thanks thank than temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber something some ll scales sense selection seen seems see secure second scaling saving services save same run rules rule rotating rising risen series servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled thats their there way when whats what were went well weeks week waste who was warrant wants wanted want waiting wait vs while why these wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue value vaccine time tracking tooo told today to tired tipped times tightening ut tight throughout through this think things thing they tried try trying twice uses users used us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two rise ripped right no of now notified nothing not nonsense nonesence non nice offer next news newest new never needed need my off offered own option outside out our others other original or options opportunity offset opened ontario only oneday one once on ok must multiple much your market manservices making makes make made luck loyalty lower moving lost losing loose looking longer long lol location married may maybe means moved move more monthly month monetary moment mom mistake mind might merge memberships membership members member medical overpriced owner return rate recently recent reason really reactivate re rather rates raising rectifying raises raised raise quickly quality putting put provider recession redo owning residence retiring
 92%|█████████▏| 44/48 [3:01:06<25:50, 387.59s/it]
Topic 44 | Coherence=-230175.76 | Top words= the you good not me it only this will that are to again if bye fact email consider no months makes reactivate issue give come never rectifying forever back want my price increases longer value money subscription cost with enough provider through frequent am service getting new justify connected pay under of restart increasing raised cell hungry living accounts household offer go going given goes fuel from gouging gotten girl gf gas future great gone get got games garbage gonna grandkids youre free forth fan family fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining end far fault fee fix forcing for food focused flat fixed greedy first feel financially financial finally fiance few feet fees greed high guys issues just joint join job jacking itself its isnt keeping isn is iny intolerable into interested instead keep keeps increments leave life letting let lesser less legacy left learning kept layoff later last laid lack kids kidding inflation increasses hacked has her help health he having havent have hardly hike hard happy hand half had hacking hackednot higher hikes increased husband increase income in improvements im ill idea huge hiking how households house hosehold horrible holder history emails drastically elsewhere else biden biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank awhile biggest bill billing business cant cannot cancelling canceling cancel can by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addition agree againlater after afford adicional addtional addresses additional adding all added activities acct account access acceptance absurd about alarming allow at another as aren apps aparently anyways anymore any anticonsumer annually allowed and an amounts amount amercian also already almost card care cared decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts customers drive eliminating el edge easily earlier each duplicate due limit divorce drain down double dont done don doesnt do cut customer caring cheaper combine college climbing climb city choose choice checking charging coming charges charged charge changing changes changed change caused combining company currently continuous current currency creep credit covid courtesy country costs continues compared continue continually continously constantly constant consolidating compromised competitive like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid limiting taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber something someone some scaling series sense selection seen seems see secure second scales so saving save same run rules rule rotating rising services servicio set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several thats their there we when whats what were went well weeks week way vaccine waste was warrant wants wanted waiting wait vs where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife virtue ut these tipped tried tracking town tooo too told today tired times using time tightening tight throughout think things thing they try trying twice two uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable risen rise ripped non offset offered off now notified nothing nonsense nonesence nice moved next news newest needed need must multiple much often ok on once overpriced over outside out our others other original or options option opportunity opening opened ontario oneday one moving move owner losing making make made luck loyalty your lower lost loose more looking long lol locations location ll live little manservices many market married monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may own owning right rates recession recently recent reason really reality re rather rate profit raising raises raise quickly quality putting put pushed redo reduce reducing reflect
Average topic coherence for the top words is -219878.8039562818
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.18it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.21it/s]
  6%|▌         | 3/50 [00:00<00:09,  5.20it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.20it/s]
 10%|█         | 5/50 [00:00<00:08,  5.18it/s]
 12%|█▏        | 6/50 [00:01<00:08,  4.95it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.01it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.08it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.13it/s]
 20%|██        | 10/50 [00:01<00:07,  5.15it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.18it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.18it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.20it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.20it/s]
 30%|███       | 15/50 [00:02<00:06,  5.21it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.21it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.23it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.21it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.18it/s]
 40%|████      | 20/50 [00:03<00:05,  5.21it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.21it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.21it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.19it/s]
 48%|████▊     | 24/50 [00:04<00:05,  5.20it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.19it/s]
 52%|█████▏    | 26/50 [00:05<00:04,  5.17it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.15it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.17it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.20it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.20it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.21it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.19it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.23it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.23it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.22it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.23it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.21it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.21it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.21it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.20it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.20it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.21it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.21it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.20it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.20it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.20it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.18it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.19it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.19it/s]
100%|██████████| 50/50 [00:09<00:00,  5.19it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.58it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.38it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.41it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.38it/s]
 10%|█         | 5/50 [00:00<00:07,  6.35it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.40it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.41it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.41it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.42it/s]
 20%|██        | 10/50 [00:01<00:06,  6.43it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.44it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.44it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.44it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.45it/s]
 30%|███       | 15/50 [00:02<00:05,  6.44it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.47it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.46it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.47it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.45it/s]
 40%|████      | 20/50 [00:03<00:04,  6.47it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.46it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.43it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.45it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.45it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.45it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.46it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.47it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.44it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.46it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.44it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.46it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.47it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.45it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.48it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.47it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.46it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.46it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.40it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.40it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.42it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.40it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.40it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.42it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.44it/s]
 90%|█████████ | 45/50 [00:06<00:00,  6.43it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.44it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.44it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.46it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.46it/s]
100%|██████████| 50/50 [00:07<00:00,  6.44it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.48it/s]
  4%|▍         | 2/50 [00:00<00:13,  3.46it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.47it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.47it/s]
 10%|█         | 5/50 [00:01<00:12,  3.46it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.47it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.49it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.46it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.48it/s]
 20%|██        | 10/50 [00:02<00:11,  3.47it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.45it/s]
 24%|██▍       | 12/50 [00:03<00:11,  3.43it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.42it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.43it/s]
 30%|███       | 15/50 [00:04<00:10,  3.42it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.43it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.43it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.43it/s]
 38%|███▊      | 19/50 [00:05<00:09,  3.43it/s]
 40%|████      | 20/50 [00:05<00:08,  3.43it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.43it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.43it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.46it/s]
 48%|████▊     | 24/50 [00:06<00:07,  3.46it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.46it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.46it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.45it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.45it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.44it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.43it/s]
 62%|██████▏   | 31/50 [00:08<00:05,  3.43it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.43it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.44it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.45it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.45it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.45it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.44it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.46it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.46it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.46it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.47it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.48it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.47it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.47it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.46it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.46it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.44it/s]
 96%|█████████▌| 48/50 [00:13<00:00,  3.43it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.45it/s]
100%|██████████| 50/50 [00:14<00:00,  3.45it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.69it/s]
  4%|▍         | 2/50 [00:00<00:17,  2.67it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.66it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.66it/s]
 10%|█         | 5/50 [00:01<00:16,  2.66it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.67it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.67it/s]
 16%|█▌        | 8/50 [00:03<00:15,  2.66it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.67it/s]
 20%|██        | 10/50 [00:03<00:15,  2.66it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.65it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.64it/s]
 26%|██▌       | 13/50 [00:04<00:13,  2.65it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.65it/s]
 30%|███       | 15/50 [00:05<00:13,  2.65it/s]
 32%|███▏      | 16/50 [00:06<00:12,  2.66it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.66it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.66it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.65it/s]
 40%|████      | 20/50 [00:07<00:11,  2.65it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.66it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.66it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.65it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.65it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.65it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.64it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.64it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.64it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.65it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.65it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.65it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.65it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.65it/s]
 68%|██████▊   | 34/50 [00:12<00:06,  2.65it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.65it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.65it/s]
 74%|███████▍  | 37/50 [00:13<00:04,  2.65it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.65it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.64it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.64it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.64it/s]
 84%|████████▍ | 42/50 [00:15<00:03,  2.65it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.65it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.66it/s]
 90%|█████████ | 45/50 [00:16<00:01,  2.66it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.66it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.67it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.66it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.66it/s]
100%|██████████| 50/50 [00:18<00:00,  2.65it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:27,  1.75it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.73it/s]
  6%|▌         | 3/50 [00:01<00:26,  1.74it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.75it/s]
 10%|█         | 5/50 [00:02<00:25,  1.75it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.75it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.75it/s]
 16%|█▌        | 8/50 [00:04<00:23,  1.75it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.75it/s]
 20%|██        | 10/50 [00:05<00:22,  1.75it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.74it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.74it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.74it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.74it/s]
 30%|███       | 15/50 [00:08<00:20,  1.75it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.75it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.75it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.74it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.74it/s]
 40%|████      | 20/50 [00:11<00:17,  1.74it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.74it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.74it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.75it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.75it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.75it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.75it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.75it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.75it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.74it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.75it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.75it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.74it/s]
 66%|██████▌   | 33/50 [00:18<00:09,  1.74it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.74it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.74it/s]
 72%|███████▏  | 36/50 [00:20<00:08,  1.75it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.74it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.74it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.74it/s]
 80%|████████  | 40/50 [00:22<00:05,  1.74it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.75it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.75it/s]
 86%|████████▌ | 43/50 [00:24<00:04,  1.74it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.74it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.74it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.74it/s]
 94%|█████████▍| 47/50 [00:26<00:01,  1.74it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.74it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.74it/s]
100%|██████████| 50/50 [00:28<00:00,  1.74it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.66it/s]
Topic 0 | Coherence=-217177.73 | Top words= to pay my is have but subscription bill was that so charged it not without credit just wanted because automatically card told do allowed an bank increase option after taste much be too half what fault should customers don you willing or last even way choose warrant leave greedy biggest break gone go going goes fees give given every girl gf getting gonna got euro greed hacking emails hackednot hacked end guys enough entertaining good entertainment especially great grandkids gouging gotten gas get expected everything fan far food focused flat fee fixed fix first financially feel financial finally fiance few feet for forcing expenses family garbage expensive games future extortion fuel extra from frequent free forth face fact fair forever had higher hand interested kept keeps keeping keep justify joint join job jacking itself its issues issue isnt isn iny intolerable kidding kids lack letting live little limiting limited limit like life let laid lesser less legacy left learning layoff later into instead happy inflation horrible holder history hiking hikes hike elsewhere high her help health he having havent has hardly hard hosehold house household improvements increments increasses increasing increases increased income in im households ill if idea husband hungry huge how email youre else begin biased biannually bf between better benefits benefit being before caring been becoming became barely back awhile away aunt biden billing billings bills care cant cannot cancelling canceling cancel can bye by business buggin budget broke boyfriend both blindly bit at as aren agree again afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming are all apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also already almost allow cared caused eliminating death direction different differences didnt deteriorated delivering declined decisions deal cell days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double dont done ll doesnt divorce customer currently current company come combining combine college climbing climb city choice checking cheaper charging charges charge changing changes changed change coming compared currency competitive creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised living loyal location spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some situation stealing stop since support terrible temporary temporarily talk taking take system switching summer stopped success subscriptions subscribers subscriber sub stupid stranger stopping single significant thank rules secure second scaling scales saving save same run rule seems rotating rising risen rise ripped right ridiculous return see seen signaling share sign sight sick shoves shouldn short she sharing shady selection several settled set servicio services service series sense than thanks locations wants whats were went well weeks week we waste want where waiting wait vs virtue value vaccine ut using when while users would youll yet years yearly year yall ya wouldn worth who workable work wont won with will wife why uses used thats through today tired tipped times time tightening tight throughout this town think things thing they these there their the tooo tracking use unfortunately us upward upping upcoming up until unneeded unnecessary unfair tried unemployed understand under unable two twice trying try retiring retired resume no off of now notified nothing nonsense nonesence non nice offered next news newest new never needed need must offer offset moving opportunity over outside out our others other original options opening often opened ontario only oneday one once on ok multiple moved resubscribe loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe move mistake more months monthly month money monetary moment mom mind me might merge memberships membership members member medical means overpriced own owner raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent owning rent restriction
Topic 1 | Coherence=-222354.24 | Top words= and service you even garbage your increase customer customers do care rate not up prices go about keep continue more with squeeze will really yet paying try out using should people money down new of good blindly temporarily popular series canceling quality why daughter living cheaper rejoin drain replace cancelling later pleased horrible policies services barely future scaling profits price happy come warrant way extra face games euro gas get getting fair fees feel fee gf fault especially entertainment girl give family given entertaining goes going gone far gonna enough fuel feet from focused financially first got fix fixed extortion expensive fact flat financial expenses finally frequent fan fiance for forcing few expected forever forth everything free every food youre gotten gouging itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased jacking job join last let lesser less legacy left leave learning layoff laid joint lack kids kidding kept keeps keeping justify just income in improvements half having havent have has hardly hard hand emails had health hacking hackednot hacked guys greedy greed great grandkids he help im household ill if idea husband hungry huge how households house her hosehold holder history hiking hikes hike higher high end double email becoming between better benefits benefit being begin before been because biannually became be bank back awhile away automatically aunt bf biased elsewhere broke cancel can bye by but business buggin budget break biden boyfriend both bit bills billings billing bill biggest at as aren addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts account access acceptance absurd agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cannot cant card death direction different differences didnt deteriorated delivering declined decisions deal currency days day date damn dad cutting cut currently disappointed discontinue disgusting disgusts else eliminating el edge easily earlier each duplicate due drive drastically life dont done don doesnt divorce current creep cared charges college climbing climb city choose choice checking charging charged credit charge changing changes changed change cell caused caring combine combining coming company covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive compared letting loyal like starting stranger stopping stopped stop stepdad stealing stay states started something start spouses spouse spending spend span sorry soon stupid sub subscriber subscribers that thanks thank than terrible temporary taste talk taking take system switching support summer success subscriptions subscription son someone the save selection seen seems see secure second scales saving same some run rules rule rotating rising risen rise ripped sense servicio set settled so situation single since significant signaling sign sight sick shoves shouldn short she sharing share shady several thats their limit was what were went well weeks week we waste wants uses wanted want waiting wait vs virtue value vaccine whats when where while youll years yearly year yall ya wouldn would worth workable work wont won without willing wife who ut users there tightening too told today to tired tipped times time tight used throughout through this think things thing they these tooo town tracking tried use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying right ridiculous return needed nonesence non no nice next news newest never need month my must multiple much moving moved move months nonsense nothing notified now options option opportunity opening opened ontario only oneday one once on ok often offset offered offer off monthly monetary retiring longer made luck loyalty lower lost losing loose looking long moment lol locations location ll live little limiting limited make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many or original other raised reason reality reactivate re rather rates raising raises raise others quickly putting put pushed provider profit profiles problem recent recently recession
Topic 2 | Coherence=-219677.35 | Top words= it is not good worth when she my college charge re daughter extra sign in but the thank bye anyways every at too year price seems have really nothing uses increase added ok greedy subscription high has fees won same residence opportunity many support poland amercian options live now being medical prescription bills business another made often charges passed jacking euro especially getting gf girl give get far given go entertainment goes going gone gas entertaining got enough gotten gouging grandkids great greed gonna everything garbage extortion fix first financially face fact financial fair family finally fiance few feet fan feel fee fixed flat games focused even future fuel fault expected from frequent free forth forever forcing for expenses expensive food youre health guys hacked justify just joint join job itself its issues issue isnt isn iny intolerable into interested instead inflation keep keeping keeps leave life letting let lesser less legacy left learning kept layoff later last laid lack kids kidding increments increasses increasing havent hike higher her help emails he having hardly hiking hard happy hand half had hacking hackednot hikes history increases husband increased income improvements im ill if idea hungry holder huge how households household house hosehold horrible end drain email begin biden biased biannually bf between better benefits benefit before bill been becoming because became be barely bank back biggest billing away can cared care card cant cannot cancelling canceling cancel by billings buggin budget broke break boyfriend both blindly bit awhile automatically elsewhere addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all aunt annually as aren are apps aparently anymore any anticonsumer and allow an amounts amount am also already almost allowed caring caused cell declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day date damn dad cutting disgusting divorce change due else eliminating el edge easily earlier each duplicate drive do drastically limit down double dont done don doesnt cut customers customer city compared company coming come combining combine climbing climb choose currently choice checking cheaper charging charged changing changes changed competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating like loyal limited starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber ripped temporarily there their thats that thanks than terrible temporary taste subscribers talk taking take system switching summer success subscriptions soon son something scaling service series sense selection seen see secure second scales someone saving save run rules rule rotating rising risen services servicio set settled some so situation single since significant signaling sight sick shoves shouldn should short sharing share shady several these they thing way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs where while who why youll you yet years yearly yall ya wouldn would workable work wont without with willing will wife virtue vaccine things tired try tried tracking town tooo told today to tipped ut times time tightening tight throughout through this think trying twice two unable using users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right limiting newest notified nonsense nonesence non no nice next news new off never needed need must multiple much moving moved of offer ridiculous option over outside out our others other original or opening offered opened ontario only oneday one once on offset move more months loose makes make luck loyalty your lower lost losing looking monthly longer long lol locations location ll living little making manservices market married month money monetary moment mom mistake mind might merge memberships membership members member means me maybe may overpriced own owner rate recession recently recent reason reality reactivate rather rates raising profits raises raised raise quickly quality putting put pushed rectifying redo reduce reducing
Topic 3 | Coherence=-212045.33 | Top words= the your rates same than thing higher who me are others do company of it tired cancel with games didnt first playing subscribers let month greed terrible system workable disgusts subscriptions up had year set raised provider damn keeps phone face given grandkids frequent from fuel future great gonna going garbage gas get forth go gouging good getting goes gone gf gotten girl got give free youre forever especially extortion expensive expenses expected everything every even euro entertainment fact entertaining enough end emails email elsewhere else eliminating extra fair forcing finally for food focused flat fixed fix financially greedy fiance family few feet fees feel fee fault far fan financial hard guys issues justify just joint join job jacking itself its issue keeping isnt isn is iny intolerable into interested instead keep kept increments legacy limiting limited limit like life letting lesser less left kidding leave learning layoff later last laid lack kids inflation increasses hacked havent hikes hike high her help health he having have history has hardly edge happy hand half hacking hackednot hiking holder increasing if increases increased increase income in improvements im ill idea horrible husband hungry huge how households household house hosehold el dont easily because better benefits benefit being begin before been becoming became bf be barely bank back awhile away automatically aunt between biannually as boyfriend bye by but business buggin budget broke break both biased blindly bit bills billings billing bill biggest biden at aren canceling adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming apps an aparently anyways anymore any anticonsumer another annually and amounts all amount amercian am also already almost allowed allow can cancelling earlier cutting decisions death deal days day daughter date dad cut delivering customers customer currently current currency creep credit covid declined deteriorated country live each duplicate due drive drastically drain down double done differences don doesnt divorce disgusting discontinue disappointed direction different courtesy costs cannot changes choice checking cheaper charging charges charged charge changing changed city change cell caused caring cared care card cant choose climb cost consider continuous continues continue continually continously constantly constant consolidating connected climbing compromised competitive compared coming come combining combine college little loyal living spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping so taking thats that thanks thank temporary temporarily taste talk take stranger switching support summer success subscription subscriber sub stupid some situation return save seen seems see secure second scaling scales saving run sense rules rule rotating rising risen rise ripped right selection series single should since significant signaling sign sight sick shoves shouldn short service she sharing share shady several settled servicio services their there these waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where they would youll you yet years yearly yall ya wouldn worth while work wont won without willing will wife why value vaccine ut tipped tried tracking town tooo too told today to times using time tightening tight throughout through this think things try trying twice two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring ll nice now notified nothing not nonsense nonesence non no next offer news newest new never needed need my must off offered much opening out our other original or options option opportunity opened offset ontario only oneday one once on ok often multiple moving retired lower many manservices making makes make made luck loyalty lost married losing loose looking longer long lol locations location market may moved mistake move more months monthly money monetary moment mom mind maybe might merge memberships membership members member medical means outside over overpriced raises reason really reality reactivate re rather rate raising raise recently quickly quality putting put pushed profits profit profiles recent recession own repurposing resume
Topic 4 | Coherence=-226887.83 | Top words= time it at for will and like only can increasing long we afford rates alarming keep going customer there now prices feel loyalty subscriber this using pay right but lost not job cant to my again declined card just start high too interested vaccine been apps need secure upping easily month due hackednot other charge kids tight as want phone disgusting happy since games future go gouging garbage gotten fuel great gonna gas get got getting good gf gone girl goes give grandkids given financially from far family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough fan fault frequent fee free forth forever forcing food focused flat fixed fix first greedy financial finally fiance few feet fees greed youre guys isn join jacking itself its issues issue isnt is justify iny intolerable into instead inflation increments increasses joint keeping increased leave life letting let lesser less legacy left learning keeps layoff later last laid lack kidding kept increases increase hacked havent higher her emails help health he having have hikes has hardly hard hand half had hacking hike hiking income hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder end done email benefit biggest biden biased biannually bf between better benefits being awhile begin before becoming because became be barely bank bill billing billings bills cared care cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly bit back away elsewhere adding agree againlater after adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about all allow allowed almost aunt aren are aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already caring caused cell deal direction different differences didnt deteriorated delivering decisions death days change day daughter date damn dad cutting cut customers disappointed discontinue disgusts divorce else eliminating el edge earlier each duplicate drive drastically drain down double dont limited don doesnt do currently current currency company come combining combine college climbing climb city choose choice checking cheaper charging charges charged changing changes changed coming compared creep competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limit loyal limiting spouse stepdad stealing stay states starting started squeeze spouses spending stopped spend span sorry soon son something someone some stop stopping thanks system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscription subscribers sub stupid so situation single same seen seems see second scaling scales saving save run significant rules rule rotating rising risen rise ripped ridiculous selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thank that little week where when whats what were went well weeks way who waste was warrant wants wanted waiting wait vs while why thats wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue value ut tightening tracking town tooo told today tired tipped times throughout uses through think things thing they these their the tried try trying twice users used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retiring retired next of notified nothing nonsense nonesence non no nice news offer newest new never needed must multiple much moving off offered resume opportunity outside out our others original or options option opening offset opened ontario oneday one once on ok often moved move more losing manservices making makes make made luck your lower loose months looking longer lol locations location ll living live many market married may monthly money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe over overpriced own raises reason really reality reactivate re rather rate raising raised profiles raise quickly quality putting put pushed provider profits recent recently recession rectifying
Topic 5 | Coherence=-214004.58 | Top words= to the and different my of want currency in moved country be location changed pay new current family financial it euro cheaper only fees charges ontario situation household has yearly us unemployed others later prefer drastically into work limiting courtesy enough won so justify great greed gonna gone gotten going goes from fuel go gouging hacked future guys games garbage given gas greedy grandkids give girl get good getting gf got youre frequent expected fair fact face extra extortion expensive expenses everything far every even especially entertainment entertaining end emails fan fault free fixed forth forever forcing hackednot food focused flat fix fee first financially finally fiance few feet feel for he hacking jacking kept keeps keeping keep just joint join job itself had its issues issue isnt isn is iny intolerable kidding kids lack laid living live little limited limit like life letting let lesser less legacy left leave learning layoff last interested instead inflation holder hiking hikes hike higher high her help health elsewhere having havent have hardly hard happy hand half history horrible increments hosehold increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how households house email drain else becoming between better benefits benefit being begin before been because biannually became barely bank back awhile away automatically aunt bf biased as break can bye by but business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest at aren eliminating adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cancel canceling cancelling day didnt deteriorated delivering declined decisions death deal days daughter direction date damn dad cutting cut customers customer currently differences disappointed cannot down el edge easily earlier each duplicate due drive double discontinue dont done don doesnt do divorce disgusts disgusting creep credit covid changing climb city choose choice checking charging charged charge changes costs change cell caused caring cared care card cant climbing college combine combining cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come ll loyal locations lol stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription son something someone scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services some shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thats their there way whats what were went well weeks week we waste where was warrant wants wanted waiting wait vs virtue when while vaccine would youll you yet years year yall ya wouldn worth who workable wont without with willing will wife why value ut these time town tooo too told today tired tipped times tightening tried tight throughout through this think things thing they tracking try using until uses users used use upward upping upcoming up unneeded trying unnecessary unfortunately unfair understand under unable two twice rise ripped right nonesence offered offer off now notified nothing not nonsense non often no nice next news newest never needed need offset ok multiple original owner own overpriced over outside out our other or on options option opportunity opening opened oneday one once must much pagos luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moving mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical owning parent ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pushed respect return retiring
Topic 6 | Coherence=-228357.02 | Top words= so other better gonna youre keep and raising out im reason people using cheaper kept that was subscription services if for the only now your prices it charge my ill not compromised account hikes is away passed she had mom parent owning fan wanted without way bill charges but pay up credit to loyalty feet system expenses gone fiance going goes everything go given give girl expected gotten good great emails end enough greed entertaining entertainment especially got euro grandkids even gouging gf every expensive extra getting feel fault greedy fee food focused flat fixed extortion fix fees first financially financial few far forever forth family fair free frequent fact from fuel future games face garbage gas finally get forcing have guys hacked just joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation justify keeping keeps left like life letting let lesser less legacy leave kidding learning layoff later last laid lack kids increments increasses increasing elsewhere high her help health he having havent has hike hardly hard happy hand half hacking hackednot higher hiking increases hungry increased increase income in improvements idea husband huge history how households household house hosehold horrible holder email down else been biannually bf between benefits benefit being begin before becoming biden because became be barely bank back awhile automatically biased biggest at buggin cannot cancelling canceling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings aunt as card addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cant care eliminating death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting customer drastically el edge easily earlier each duplicate due drive drain disgusts limited double dont done don doesnt do divorce customers currently cared checking combining combine college climbing climb city choose choice charging coming charged changing changes changed change cell caused caring come company current continues currency creep covid courtesy country costs cost continuous continue compared continually continously constantly constant consolidating consider connected competitive limit loyal limiting start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid there talk thats thanks thank than terrible temporary temporarily taste taking sub take switching support summer success subscriptions subscribers subscriber something someone some saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service servicio single since significant signaling sign sight sick shoves shouldn should short sharing share shady several settled set their these little week where when whats what were went well weeks we who waste warrant wants want waiting wait vs virtue while why they wouldn youll you yet years yearly year yall ya would wife worth workable work wont won with willing will value vaccine ut times tracking town tooo too told today tired tipped time uses tightening tight throughout through this think things thing tried try trying twice users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous newest nothing nonsense nonesence non no nice next news new of never needed need must multiple much moving moved notified off return opened our others original or options option opportunity opening ontario offer oneday one once on ok often offset offered move more months loose making makes make made luck lower lost losing looking monthly longer long lol locations location ll living live manservices many market married month money monetary moment mistake mind might merge memberships membership members member medical means me maybe may outside over overpriced rates recession recently recent really reality reactivate re rather rate profits raises raised raise quickly quality putting put pushed rectifying redo reduce reducing
Topic 7 | Coherence=-214338.96 | Top words= be to back on subscription will my in use different live two and won got able both addresses another ill get laid own off payday raised long platform way high divorce else go renewing next getting awhile using feet while rotating week something less soon instead may opening locations service time was frequent free forth lesser forever fuel gouging forcing for food focused flat from goes future going garbage gas gotten let fixed gf good gonna girl letting give gone given games fiance fix euro limit expensive expenses expected everything every even especially first entertainment entertaining enough end emails email elsewhere extortion extra face fact financially financial finally great few fees feel fee fault far fan family life like fair grandkids justify greed increased kept inflation increments kidding increasses increasing increases kids into increase income lack improvements im last if interested intolerable husband itself just keep joint join job jacking keeping its keeps it issues issue isnt isn is iny idea later greedy happy he having havent have has hardly hard hand eliminating half had hacking legacy hackednot hacked guys health her hungry learning huge how households household house hosehold layoff horrible left holder history hiking hikes leave hike higher help dont el being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank away biggest billing aunt but cant cannot cancelling canceling cancel can bye by business billings buggin budget broke break boyfriend blindly bit bills automatically at care adding againlater again after afford adicional addtional additional addition added alarming activities acct accounts account access acceptance absurd about agree all as annually aren are apps aparently anyways anymore any anticonsumer an allow amounts amount amercian am also already almost allowed card cared edge daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt direction creep down easily earlier each duplicate due drive drastically drain double disappointed limiting done don doesnt do disgusts disgusting discontinue currency credit caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company limited youre little squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry son someone some stopped stranger that take thank than terrible temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub so situation single save seen seems see secure second scaling scales saving same since run rules rule rising risen rise ripped right selection sense series services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio thanks thats living warrant whats what were went well weeks we waste wants where wanted want waiting wait vs virtue value vaccine when who the wouldn youll you yet years yearly year yall ya would why worth workable work wont without with willing wife ut uses users throughout too told today tired tipped times tightening tight through used this think things thing they these there their tooo town tracking tried us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try ridiculous return retiring nice now notified nothing not nonsense nonesence non no news offer newest new never needed need must multiple much of offered retired option outside out our others other original or options opportunity offset opened ontario only oneday one once ok often moving moved move your many manservices making makes make made luck loyalty lower more lost losing loose looking longer lol location ll market married maybe me months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means over overpriced owner raising reason really reality reactivate re rather rates rate raises profiles raise quickly quality putting put pushed provider profits recent recently recession rectifying
Topic 8 | Coherence=-217954.60 | Top words= you will me to it are not that bye this if back months only consider fact your again email the good makes reactivate forever give rectifying come issue want never for year cancel when rate increasses resume each offset changing done later bank thats checking join as using continues family else squeeze really restart lower go get future games greedy garbage greed gas great grandkids getting gouging fuel gotten gf girl got gonna gone given going goes youre financial from everything fair face extra extortion expensive expenses expected every far even euro especially entertainment entertaining enough end fan fault frequent fix free forth forcing food focused flat fixed first fee financially finally fiance few feet fees feel guys her hacked keeps keep justify just joint job jacking itself its issues isnt isn is iny intolerable into interested instead keeping kept increments kidding limited limit like life letting let lesser less legacy left leave learning layoff last laid lack kids inflation increasing hackednot hiking hike higher high help health he having havent have has hardly hard happy hand half had hacking hikes history increases holder increased increase income in improvements im ill idea husband hungry huge how households household house hosehold horrible emails drain elsewhere before biannually bf between better benefits benefit being begin been biden becoming because became be barely awhile away automatically biased biggest eliminating budget cannot cancelling canceling can by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at aren adding againlater after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about agree alarming all allow aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed cant card care deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting el edge easily earlier duplicate due drive drastically little down double dont don doesnt do divorce disgusts customer current cared charging combine college climbing climb city choose choice cheaper charges currency charged charge changes changed change cell caused caring combining coming company compared creep credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating connected compromised competitive limiting loyal live start stopped stop stepdad stealing stay states starting started spouses stranger spouse spending spend span sorry soon son something stopping stupid some take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone so living scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thanks their there waste what were went well weeks week we way was where warrant wants wanted waiting wait vs virtue value whats while these worth youll yet years yearly yall ya wouldn would workable who work wont won without with willing wife why vaccine ut uses times tracking town tooo too told today tired tipped time users tightening tight throughout through think things thing they tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two rise ripped right no off of now notified nothing nonsense nonesence non nice offered next news newest new needed need my must offer often own options over outside out our others other original or option ok opportunity opening opened ontario oneday one once on multiple much moving lost market many manservices making make made luck loyalty losing moved loose looking longer long lol locations location ll married may maybe means move more monthly month money monetary moment mom mistake mind might merge memberships membership members member medical overpriced owner ridiculous raise reason reality re rather rates raising raises raised quickly recently quality putting put pushed provider profits profit profiles recent recession owning reside return
Topic 9 | Coherence=-235224.78 | Top words= you extra share charging of price the greedy not your because to many also subscriptions fan years way few over past money and my out keep with cant anymore don us grandkids stay raising letting so much increased idea town months once country moving that has im budget use bf keeps addition another games going given greed guys great future goes garbage gas gouging gonna go get getting fuel gone got good gf girl give gotten youre from everything family fair fact face extortion expensive expenses expected every fault even euro especially entertainment entertaining enough end emails far fee frequent flat free forth forever forcing for food hackednot focused fixed feel fix first financially financial finally fiance feet fees hacked high hacking had just joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested justify keeping kept left limit like life let lesser less legacy leave kidding learning layoff later last laid lack kids instead inflation increments he hikes hike higher elsewhere her help health having history havent have hardly hard happy hand half hiking holder increasses if increasing increases increase income in improvements ill husband horrible hungry huge how households household house hosehold email down else being biggest biden biased biannually between better benefits benefit begin billing before been becoming became be barely bank back bill billings away by care card cannot cancelling canceling cancel can bye but bills business buggin broke break boyfriend both blindly bit awhile automatically eliminating adding againlater again after afford adicional addtional addresses additional added alarming activities acct accounts account access acceptance absurd about agree all aunt anticonsumer at as aren are apps aparently anyways any annually allow an amounts amount amercian am already almost allowed cared caring caused deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue cell drastically el edge easily earlier each duplicate due drive drain disgusting limiting double dont done doesnt do divorce disgusts customer currently current choice come combining combine college climbing climb city choose checking currency cheaper charges charged charge changing changes changed change coming company compared competitive creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limited loyal little squeeze stopped stop stepdad stealing states starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid their taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscription subscribers subscriber someone some situation saving selection seen seems see secure second scaling scales save single same run rules rule rotating rising risen rise sense series service services since significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio thats there right waste whats what were went well weeks week we was where warrant wants wanted want waiting wait vs virtue when while these worth youll yet yearly year yall ya wouldn would workable who work wont won without willing will wife why value vaccine ut time tracking tooo too told today tired tipped times tightening using tight throughout through this think things thing they tried try trying twice uses users used upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped ridiculous live no offer off now notified nothing nonsense nonesence non nice offset next news newest new never needed need must offered often owning options own overpriced outside our others other original or option ok opportunity opening opened ontario only oneday one on multiple moved move losing making makes make made luck loyalty lower lost loose more looking longer long lol locations location ll living manservices market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe owner pagos return rates recently recent reason really reality reactivate re rather rate rectifying raises raised raise quickly quality putting put pushed recession redo parent residence retiring
Topic 10 | Coherence=-225647.94 | Top words= it anymore to not you life more have up iny shoves choice keeping nice especially pop forcing face lost make subscriber expensive worth currently afford me use just with for price so don subscription your is the no caused cant thanks inflation biden president by enough change longer get want limiting household paying single everything cannot any using budget way rising month hardly increased sight never moving forever free fixed flat forth laid focused frequent last later layoff food instead future from fuel goes go given give girl gf kept getting kidding kids gas garbage games first lack fix financial learning even extortion less expenses expected lesser every euro legacy let entertainment entertaining letting end emails extra left leave fees financially gone finally fiance few feet feel fact fee fault far fan family fair going gotten gonna house isnt hungry issue huge how households hosehold its horrible holder history hiking hikes issues husband isn idea intolerable if ill im improvements in income increase increases increasing increasses increments into interested hike higher keeps guys half had hacking hackednot keep hacked greedy high greed great grandkids gouging got good justify hand joint happy hard has join job havent having he health jacking elsewhere help her itself email youre else becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased care broke cancelling canceling cancel can bye but business buggin break biggest boyfriend both blindly bit bills billings billing bill aunt at as adding againlater again after adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anticonsumer another annually and an amounts amount amercian am also already almost allowed card cared eliminating deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue caring drastically el edge easily earlier each duplicate due drive drain disgusting down double dont like doesnt do divorce disgusts customer current currency checking come combining combine college climbing climb city choose cheaper creep charging charges charged charge changing changes changed cell coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised done loyal limit squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger limited taking that thank than terrible temporary temporarily taste talk take stupid system switching support summer success subscriptions subscribers sub someone some situation same seems see secure second scaling scales saving save run since rules rule rotating risen rise ripped right ridiculous seen selection sense series significant signaling sign sick shouldn should short she sharing share shady several settled set servicio services service thats their there we when whats what were went well weeks week waste vaccine was warrant wants wanted waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife value ut these time town tooo too told today tired tipped times tightening uses tight throughout through this think things thing they tracking tried try trying users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice return retiring retired nonesence offered offer off of now notified nothing nonsense non much next news newest new needed need my must offset often ok on outside out our others other original or options option opportunity opening opened ontario only oneday one once multiple moved overpriced loose manservices making makes made luck loyalty lower losing looking move long lol locations location ll living live little many market married may months monthly money monetary moment mom mistake mind might merge memberships membership members member medical means maybe over own resume raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 11 | Coherence=-218448.91 | Top words= to have the this for back months money and due is few ill cut prices come my budget losing job much try in tight possible month once trying as don high with using bills reduce am gas wait return now these second piracy spending right putting addtional moving youll ridiculous entertainment taking ontario may inflation flat forth forever forcing laid food focused last fixed fiance later fix first financially financial layoff free frequent from fuel going goes go given kidding give girl kids gf getting get lack garbage games future finally learning gone feet everything less lesser every even euro especially let entertaining letting enough life end emails email expected legacy expenses far fees feel fee fault leave left fan expensive family fair fact face extra extortion kept gonna instead join idea husband hungry huge how households it household its house itself hosehold jacking horrible holder if issues issue increases interested increments increasses increasing into intolerable increased isnt iny increase income isn improvements im history hiking good hikes happy hand half had hacking hackednot hacked guys greedy greed great grandkids gouging gotten got hard hardly has her joint hike higher just justify keep help keeps else health he having havent keeping elsewhere youre eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank awhile biden bill automatically but cant cannot cancelling canceling cancel can bye by business billing buggin broke break boyfriend both blindly bit billings away aunt care adding againlater again after afford adicional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian also already almost allowed card cared el days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting customers customer currently different disappointed currency down edge easily earlier each duplicate drive drastically drain double discontinue limit dont done doesnt do divorce disgusts disgusting current creep caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spend span sorry soon son something stopping stupid ripped take thanks thank than terrible temporary temporarily taste talk system sub switching support summer success subscriptions subscription subscribers subscriber someone some so scales series sense selection seen seems see secure scaling saving situation save same run rules rule rotating rising risen service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled that thats their week where when whats what were went well weeks we virtue way waste was warrant wants wanted want waiting while who why wife you yet years yearly year yall ya wouldn would worth workable work wont won without willing will vs value there tipped tried tracking town tooo too told today tired times vaccine time tightening throughout through think things thing they twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise retiring limiting nice of notified nothing not nonsense nonesence non no next offer news newest new never needed need must multiple off offered retired option outside out our others other original or options opportunity offset opening opened only oneday one on ok often moved move more looking make made luck loyalty your lower lost loose longer monthly long lol locations location ll living live little makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means me maybe married market over overpriced own raising reason really reality reactivate re rather rates rate raises profiles raised raise quickly quality put pushed provider profits recent recently recession rectifying
Topic 12 | Coherence=-216034.41 | Top words= the subscription too you and many hike canceling price increments with newest issues sharing luck gotten stopping users access before preemptively rate next personal financial between am husband having joint opportunity some far support seems much longer than bf hacked hard money how charging make go gone even every going everything goes given euro give girl gf getting get gas gonna fiance few emails elsewhere email guys greedy greed great end especially grandkids gouging enough entertaining entertainment got good garbage games feel food fan fault focused flat fee fixed expected fees fix first financially feet finally for family fair forcing fact face forever forth extra extortion free frequent from fuel future expensive expenses youre health hackednot kidding keeps keeping keep justify just join job jacking itself its it issue isnt isn is iny intolerable kept kids hacking lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid into interested instead inflation history hiking hikes higher high her help eliminating he havent have has hardly happy hand half had holder horrible hosehold improvements increasses increasing increases increased increase income in im house ill if idea hungry huge households household else drain el edge biggest biden biased biannually better benefits benefit being begin been becoming because became be barely bank back awhile away bill billing billings but card cant cannot cancelling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit automatically aunt at addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian also already almost allowed care cared caring days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current down easily earlier each duplicate due drive drastically live double discontinue dont done don doesnt do divorce disgusts disgusting currently currency caused checking combining combine college climbing climb city choose choice cheaper coming charges charged charge changing changes changed change cell come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive little loyal living starting stupid stranger stopped stop stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers son temporary these there their thats that thanks thank terrible temporarily subscriptions taste talk taking take system switching summer success soon something ripped scales series sense selection seen see secure second scaling saving services save same run rules rule rotating rising risen service servicio someone sick so situation single since significant signaling sign sight shoves set shouldn should short she share shady several settled they thing things we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who think would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife vs virtue value to trying try tried tracking town tooo told today tired vaccine tipped times time tightening tight throughout through this twice two unable under ut using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise right ll not offset offered offer off of now notified nothing nonsense ok nonesence non no nice news new never needed often on my original own overpriced over outside out our others other or once options option opening opened ontario only oneday one need must ridiculous your may married market manservices making makes made loyalty lower me lost losing loose looking long lol locations location maybe means multiple moment moving moved move more months monthly month monetary mom medical mistake mind might merge memberships membership members member owner owning pagos rather recession recently recent reason really reality reactivate re rates redo raising raises raised raise quickly quality putting put rectifying reduce parent respect return
Topic 13 | Coherence=-228192.50 | Top words= extra and for you my charge family subscription youre are company pay greedy its extortion different disgusting no taste have with when about subscriptions sharing bill will im an paying if like idea money college she support parents longer more raising uses using worth got think allow card already re want aunt elsewhere absurd way other games future getting garbage gas get grandkids gf girl give given go goes going gone gonna good gotten gouging great greed fixed fuel everything far fan fair fact face expensive expenses expected every from even euro especially entertainment entertaining enough end emails fault fee feel fees frequent free forth forever forcing food focused flat hacked fix first financially financial finally fiance few feet guys he hackednot keeps keep justify just joint join job jacking itself it issues issue isnt isn is iny intolerable into keeping kept hacking kidding limited limit life letting let lesser less legacy left leave learning layoff later last laid lack kids interested instead inflation increments hiking hikes hike higher high her help health having havent has hardly hard happy hand half had history holder horrible improvements increasses increasing increases increased increase income in ill hosehold husband hungry huge how households household house email done else benefit biggest biden biased biannually bf between better benefits being back begin before been becoming because became be barely billing billings bills bit cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bank awhile cared additional agree againlater again after afford adicional addtional addresses addition away adding added activities acct accounts account access acceptance alarming all allowed almost automatically at as aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also care caring eliminating deal direction differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers disappointed discontinue disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double dont little don doesnt do customer current caused checking come combining combine climbing climb city choose choice cheaper currency charging charges charged changing changes changed change cell coming compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected limiting loyal live spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped situation take thanks thank than terrible temporary temporarily talk taking system stopping switching summer success subscribers subscriber sub stupid stranger so single living run see secure second scaling scales saving save same rules seen rule rotating rising risen rise ripped right ridiculous seems selection since short significant signaling sign sight sick shoves shouldn should share sense shady several settled set servicio services service series that thats the warrant were went well weeks week we waste was wants whats wanted waiting wait vs virtue value vaccine ut what where their would youll yet years yearly year yall ya wouldn workable while work wont won without willing wife why who users used use tightening too told today to tired tipped times time tight us throughout through this things thing they these there tooo town tracking tried upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try return retiring retired next now notified nothing not nonsense nonesence non nice news off newest new never needed need must multiple much of offer outside opened our others original or options option opportunity opening ontario offered only oneday one once on ok often offset moving moved move lower manservices making makes make made luck loyalty your lost months losing loose looking long lol locations location ll many market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe out over resume raise really reality reactivate rather rates rate raises raised quickly recent quality putting put pushed provider profits profit profiles reason recently overpriced replace resubscribe
Topic 14 | Coherence=-211302.29 | Top words= to need back will be cut month of payment expenses end just move with subscriptions costs almost other entertainment rise fuel rent on increased having per worth different same emails double looking and retiring continue must raise users issue rotating we under allow greedy future games guys from frequent garbage greed gf gas gone grandkids gouging gotten got great good gonna going get forth goes go given give girl getting free first forever expected family fair fact face extra extortion expensive everything forcing every even euro especially entertaining enough email fan far fault fee for food focused flat fixed fix hackednot financially financial finally fiance few feet fees feel hacked youre hacking itself keeps keeping keep justify joint join job jacking its kidding it issues isnt isn is iny intolerable into kept kids instead lesser little limiting limited limit like life letting let less lack legacy left leave learning layoff later last laid interested inflation had he hiking hikes hike higher high her help health else holder havent have has hardly hard happy hand half history horrible increments ill increasses increasing increases increase income in improvements im if hosehold idea husband hungry huge how households household house elsewhere drastically eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank awhile away biden bill aunt buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically at cant adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as another aren are apps aparently anyways anymore any anticonsumer annually all an amounts amount amercian am also already allowed cannot card el day didnt deteriorated delivering declined decisions death deal days daughter direction date damn dad cutting customers customer currently current differences disappointed creep drain edge easily earlier each duplicate due drive living down discontinue dont done don doesnt do divorce disgusts disgusting currency credit care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine covid constant courtesy country cost continuous continues continually continously constantly consolidating combining consider connected compromised competitive compared company coming come live loyal ll states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon temporarily the thats that thanks thank than terrible temporary taste subscription talk taking take system switching support summer success sorry son risen see servicio services service series sense selection seen seems secure settled second scaling scales saving save run rules rule set several something sign someone some so situation single since significant signaling sight shady sick shoves shouldn should short she sharing share their there these waste whats what were went well weeks week way was where warrant wants wanted want waiting wait vs virtue when while they wouldn youll you yet years yearly year yall ya would who workable work wont won without willing wife why value vaccine ut times tracking town tooo too told today tired tipped time using tightening tight throughout through this think things thing tried try trying twice uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two rising ripped location nonesence offered offer off now notified nothing not nonsense non often no nice next news newest new never needed offset ok multiple or own overpriced over outside out our others original options once option opportunity opening opened ontario only oneday one my much right loyalty market many manservices making makes make made luck your may lower lost losing loose longer long lol locations married maybe moving mistake moved more months monthly money monetary moment mom mind me might merge memberships membership members member medical means owner owning pagos rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised quickly quality putting put pushed recession redo parent respect ridiculous
Topic 15 | Coherence=-223861.95 | Top words= are or has after price much prices biannually seems options far increasing other consider company year ill entertaining many like increases your too up and cost away passed went the subscription sorry oneday of way earlier owner have since quality going down paying this deal person tooo biggest often keeps aunt taking rather raising kidding thanks waste go access gone gonna any afford goes good give girl gf getting given adicional got hackednot happy addition additional hand addresses half had hacking hacked gotten guys greedy addtional greed great grandkids gouging gas get fuel garbage games fiance few feet fees feel fee fault agree alarming fan family fair fact face extra extortion expensive finally financial againlater forcing future hardly from frequent free forth forever for again food focused flat fixed fix first financially hard he adding added absurd just joint join job jacking itself its it issues issue isnt isn is iny intolerable into justify keep keeping leave life letting let lesser less legacy left learning kept layoff later last laid lack about kids interested instead inflation higher horrible holder history hiking hikes acct hike high house her help health expected having activities havent hosehold household increments improvements increasses acceptance increased increase income account in im households accounts if idea husband hungry huge how expenses euro everything broke caused caring cared care card cant cannot cancelling canceling cancel amounts can bye by but business buggin cell change changed choice combining combine college climbing climb city choose checking changes cheaper charging charges charged amount charge changing budget break coming boyfriend because became be annually barely bank back awhile another automatically at as aren anticonsumer apps aparently anyways becoming been before biden both blindly bit bills billings billing bill biased begin an bf between better benefits benefit being come amercian every deteriorated drastically drain limit double dont done don doesnt do divorce disgusts disgusting discontinue disappointed direction different differences drive due duplicate emails even anymore especially entertainment all enough end email each elsewhere else eliminating el edge easily allow didnt delivering compared declined country costs almost already continuous continues continue continually continously constantly constant consolidating also am connected compromised competitive courtesy covid credit damn allowed decisions death days day daughter date dad creep cutting cut customers customer currently current currency youre loyal limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span soon son something stopping stupid right talk thats that thank than terrible temporary temporarily taste take sub system switching support summer success subscriptions subscribers subscriber someone some so saving sense selection seen see secure second scaling scales save situation same run rules rule rotating rising risen rise series service services servicio single significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set their there these week while where when whats what were well weeks we value was warrant wants wanted want waiting wait vs who why wife will youll you yet years yearly yall ya wouldn would worth workable work wont won without with willing virtue vaccine they tipped try tried tracking town told today to tired times ut time tightening tight throughout through think things thing trying twice two unable using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under ripped ridiculous limiting never nonesence non no nice next news newest new needed not need my must multiple moving moved move more nonsense nothing return only our others original option opportunity opening opened ontario one notified once on ok offset offered offer off now months monthly month looking make made luck loyalty lower lost losing loose longer money long lol locations location ll living live little makes making manservices market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married out outside over rates recession recently recent reason really reality reactivate re rate profit raises raised raise quickly putting put pushed provider rectifying redo reduce reducing
Topic 16 | Coherence=-217944.80 | Top words= the of this to for again hikes out price other start paying hand just will lack before things care first take need getting selection are got not far moved there can us apps raised and moment isnt goes given euro gf girl gotten give go every good gonna gone especially even going fact gouging emails elsewhere half had hacking hackednot hacked email end entertainment guys enough greedy entertaining greed everything grandkids great games get fixed extortion financially financial finally fiance few feet fees extra feel fee fault fan family face fix flat gas focused garbage fair future fuel from frequent expected free forth forever forcing expenses happy expensive food youre help hard laid kidding kept keeps keeping keep justify joint join job jacking itself its it issues issue isn is kids last intolerable later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff iny into hardly households house hosehold horrible holder history hiking hike higher high her eliminating health he having havent have has household how interested huge instead inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry else drastically el cared biden biased biannually bf between better benefits benefit being begin been becoming because became be barely bank back awhile biggest bill billing business cant cannot cancelling canceling cancel bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at annually as aren aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed card caring edge caused differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently different direction disappointed down easily earlier each duplicate due drive location drain double discontinue dont done don doesnt do divorce disgusts disgusting current currency creep cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared ll loyal locations starting stranger stopping stopped stop stepdad stealing stay states started sub squeeze spouses spouse spending spend span sorry soon stupid subscriber something taste thats that thanks thank than terrible temporary temporarily talk subscribers taking system switching support summer success subscriptions subscription son someone these scaling service series sense seen seems see secure second scales servicio saving save same run rules rule rotating rising services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their they rise week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why vs wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing wait virtue thing today trying try tried tracking town tooo too told tired two tipped times time tightening tight throughout through think twice unable value upping vaccine ut using uses users used use upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand risen ripped lol nonesence offset offered offer off now notified nothing nonsense non ok no nice next news newest new never needed often on must or owner own overpriced over outside our others original options once option opportunity opening opened ontario only oneday one my multiple pagos luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me much mom moving move more months monthly month money monetary mistake means mind might merge memberships membership members member medical owning parent right re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raise quickly quality putting redo reducing pushed restart ridiculous return
Topic 17 | Coherence=-217940.98 | Top words= price dont one with and the need in subscription are increases subscriptions ridiculous so anymore greedy an constant my house agree two significant other policy changes stepdad do moved has like wife political multiple virtue throughout our history signaling raises fuel having we costs not fact aparently often gouging grandkids goes gf great go greed going games future gonna gotten got garbage gas get given gone give good getting girl youre from far family fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email fan fault frequent fee free forth forever guys for food focused flat fixed fix first financially financial finally fiance few feet fees feel forcing have hacked keeps keep justify just joint join job jacking itself its it issues issue isnt isn is iny intolerable keeping kept interested kidding limited limit life letting let lesser less legacy left leave learning layoff later last laid lack kids into instead hackednot holder hikes hike higher high her help health he havent else hardly hard happy hand half had hacking hiking horrible inflation hosehold increments increasses increasing increased increase income improvements im ill if idea husband hungry huge how households household elsewhere down eliminating being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing awhile business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills back away el adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about againlater all automatically another aunt at as aren apps anyways any anticonsumer annually allow amounts amount amercian am also already almost allowed cant card care day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction cared drain edge easily earlier each duplicate due drive drastically little disappointed double done don doesnt divorce disgusts disgusting discontinue current currency creep charging college climbing climb city choose choice checking cheaper charges credit charged charge changing changed change cell caused caring combine combining come coming covid courtesy country cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared company limiting loyal live started stranger stopping stopped stop stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber something temporarily their thats that thanks thank than terrible temporary taste subscribers talk taking take system switching support summer success son someone living saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service some should situation single since sign sight sick shoves shouldn short services she sharing share shady several settled set servicio there these they way when whats what were went well weeks week waste while was warrant wants wanted want waiting wait vs where who thing wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing will value vaccine ut tired tried tracking town tooo too told today to tipped using times time tightening tight through this think things try trying twice unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped right return next now notified nothing nonsense nonesence non no nice news off newest new never needed must much moving move of offer own opportunity over outside out others original or options option opening offered opened ontario only oneday once on ok offset more months monthly lost making makes make made luck loyalty your lower losing month loose looking longer long lol locations location ll manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may overpriced owner retiring rate recent reason really reality reactivate re rather rates raising recession raised raise quickly quality putting put pushed provider recently rectifying owning reside retired
Topic 18 | Coherence=-225507.00 | Top words= too it for is worth expensive price not now prices me the service going keep much and increase no upward unfortunately many way ut increases uses rising vs raised as use don given offered isnt right anymore its quality keeps longer maybe later before becoming amount high like itself what used currently whats happy was isn reflect cost subscriptions overpriced pick horrible allow emails fuel from fair frequent games end enough free forth forever future gf garbage gas get getting girl give email go goes gone gonna good got entertaining food forcing expenses fact family face extra fan far fault fee feel gouging fees feet few extortion expected entertainment everything every fiance finally even financial financially first fix fixed flat euro focused especially gotten her grandkids into join job jacking issues issue iny intolerable interested just instead inflation increments increasses increasing increased income joint justify great leave life letting let lesser less legacy left learning keeping layoff last laid lack kids kidding kept in improvements im hand he having havent have has hardly hard half ill had hacking hackednot hacked guys greedy greed health help else higher if idea husband hungry huge how households household house hosehold holder history hiking hikes hike elsewhere youre eliminating benefit biggest biden biased biannually bf between better benefits being billing begin been because became be barely bank back bill billings away but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile automatically care adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aunt another at aren are apps aparently anyways any anticonsumer annually all an amounts amercian am also already almost allowed card cared el days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed currency drain edge easily earlier each duplicate due drive drastically down discontinue double dont limit doesnt do divorce disgusts disgusting current creep caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come credit continously covid courtesy country costs continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company done loyal limited spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped limiting switching terrible temporary temporarily taste talk taking take system support stopping summer success subscription subscribers subscriber sub stupid stranger so situation single save seen seems see secure second scaling scales saving same since run rules rule rotating risen rise ripped ridiculous selection sense series services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio than thank thanks we while where when were went well weeks week waste using warrant wants wanted want waiting wait virtue value who why wife will youll you yet years yearly year yall ya wouldn would workable work wont won without with willing vaccine users that through to tired tipped times time tightening tight throughout this us think things thing they these there their thats today told tooo town upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try tried tracking return retiring retired newest notified nothing nonsense nonesence non nice next news new more never needed need my must multiple moving moved of off offer offset others other original or options option opportunity opening opened ontario only oneday one once on ok often move months out loose make made luck loyalty your lower lost losing looking monthly long lol locations location ll living live little makes making manservices market month money monetary moment mom mistake mind might merge memberships membership members member medical means may married our outside resume raises really reality reactivate re rather rates rate raising raise pricing quickly putting put pushed provider profits profit profiles reason recent recently recession
Topic 19 | Coherence=-213776.26 | Top words= charge after profiles profit additional greedy starting last for year increase just raising to prices is and what you that cant too got ya girl getting customer loyal platform in much yet town anymore entertaining go end given give enough fact goes entertainment especially get gas garbage games future gf going gone email hacking hackednot hacked else guys elsewhere greed gonna great grandkids gouging gotten emails good fuel from face financially finally fiance few feet expensive extortion fees feel extra fee fault far fan family fair financial first euro fix frequent free forth forever forcing even food focused every flat fixed everything half expected expenses had he hand join kids kidding kept keeps keeping keep justify joint job laid jacking itself its it issues issue isnt isn lack later happy like location ll living live little limiting limited limit life layoff letting let lesser less legacy left leave learning iny intolerable into her horrible holder history hiking hikes hike higher high help interested health el having havent have has hardly hard hosehold house household households instead inflation increments increasses increasing increases increased income improvements im ill if idea husband hungry huge how eliminating drain edge easily biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt adding agree againlater again afford adicional addtional addresses addition added all activities acct accounts account access acceptance absurd about alarming allow at another as aren are apps aparently anyways any anticonsumer annually allowed an amounts amount amercian am also already almost cannot card care day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers currently current differences direction creep double earlier each duplicate due drive drastically lol down dont disappointed done don doesnt do divorce disgusts disgusting discontinue currency credit cared charging college climbing climb city choose choice checking cheaper charges combining charged changing changes changed change cell caused caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company locations youre long ripped stopping stopped stop stepdad stealing stay states started start squeeze spouses spouse spending spend span sorry soon son something stranger stupid sub taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers someone some so scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thats the their was were went well weeks week we way waste warrant when wants wanted want waiting wait vs virtue value whats where ut work youll years yearly yall wouldn would worth workable wont while won without with willing will wife why who vaccine using there tightening tracking tooo told today tired tipped times time tight try throughout through this think things thing they these tried trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two rise right longer ridiculous offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new never needed offset often ok options over outside out our others other original or option on opportunity opening opened ontario only oneday one once need my must make maybe may married market many manservices making makes made means luck loyalty your lower lost losing loose looking me medical multiple monetary moving moved move more months monthly month money moment member mom mistake mind might merge memberships membership members overpriced own owner rather recession recently recent reason really reality reactivate re rates redo rate raises raised raise quickly quality putting put rectifying reduce provider respect return retiring
Topic 20 | Coherence=-212563.09 | Top words= raised used tried almost shady offer once your dont fact subscription like that cancel also pay you hacked the was my this by opened today keep mistake notified someone being stranger duplicate as getting acct ok been less when gf future get garbage gas girl games youre give given hacking hackednot guys greedy greed great grandkids gouging gotten got good from gonna gone going goes go fuel focused frequent fan fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere family far free fault forth forever forcing for food half flat fixed fix first financially financial finally fiance few feet fees feel fee had higher hand its keeping justify just joint join job jacking itself it happy issues issue isnt isn is iny intolerable into keeps kept kidding kids little limiting limited limit life letting let lesser legacy left leave learning layoff later last laid lack interested instead inflation hosehold holder history hiking hikes hike eliminating high her help health he having havent have has hardly hard horrible house increments household increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how households else double el begin biden biased biannually bf between better benefits benefit before bill becoming because became be barely bank back awhile biggest billing automatically business card cant cannot cancelling canceling can bye but buggin billings budget broke break boyfriend both blindly bit bills away aunt edge addition againlater again after afford adicional addtional addresses additional adding alarming added activities accounts account access acceptance absurd about agree all at another aren are apps aparently anyways anymore any anticonsumer annually allow and an amounts amount amercian am already allowed care cared caring daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different caused living easily earlier each due drive drastically drain down done direction don doesnt do divorce disgusts disgusting discontinue disappointed currency creep credit cheaper combine college climbing climb city choose choice checking charging covid charges charged charge changing changes changed change cell combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared live loyal ll squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stupid so taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some situation their save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series single should since significant signaling sign sight sick shoves shouldn short service she sharing share several settled set servicio services thats there location we where whats what were went well weeks week way who waste warrant wants wanted want waiting wait vs while why value would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will virtue vaccine these times tracking town tooo too told to tired tipped time trying tightening tight throughout through think things thing they try twice ut up using uses users use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable right ridiculous return no off of now nothing not nonsense nonesence non nice offset next news newest new never needed need must offered often much original own overpriced over outside out our others other or on options option opportunity opening ontario only oneday one multiple moving retiring loyalty market many manservices making makes make made luck lower may lost losing loose looking longer long lol locations married maybe moved mom move more months monthly month money monetary moment mind me might merge memberships membership members member medical means owner owning pagos rate recent reason really reality reactivate re rather rates raising recession raises raise quickly quality putting put pushed provider recently rectifying parent reside retired
Topic 21 | Coherence=-221566.54 | Top words= but it and to am me going about this too up are keeps is times on disgusting the extortion fixed when subscriptions income amount was youre just company started its family think willing can afford be way spending im bill retired back different cutting non membership fee flat broke gouging like far hardly charge much prices first fix expensive girl expenses give expected given everything go every goes even gone gonna good euro got especially gotten entertainment entertaining grandkids great greed enough end emails greedy guys hacked extra face gf fees financially financial hacking finally fiance focused few food for forcing forever forth feet free getting frequent feel from fault fan fuel fair future games fact garbage gas get hackednot hikes had instead kidding kept keeping keep justify joint join job jacking itself issues issue isnt isn iny intolerable into kids lack laid let live little limiting limited limit life letting lesser last less legacy left leave learning layoff later interested inflation half increments history hiking elsewhere hike higher high her help health he having havent have has hard happy hand holder horrible hosehold ill increasses increasing increases increased increase in improvements if house idea husband hungry huge how households household email dont else being biden biased biannually bf between better benefits benefit begin caring before been becoming because became barely bank awhile biggest billing billings bills care card cant cannot cancelling canceling cancel bye by business buggin budget break boyfriend both blindly bit away automatically aunt alarming againlater again after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd agree all at allow as aren apps aparently anyways anymore any anticonsumer another annually an amounts amercian also already almost allowed cared caused eliminating deal direction differences didnt deteriorated delivering declined decisions death days cell day daughter date damn dad cut customers customer disappointed discontinue disgusts divorce el edge easily earlier each duplicate due drive drastically drain down double ll done don doesnt do currently current currency coming combining combine college climbing climb city choose choice checking cheaper charging charges charged changing changes changed change come compared creep competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised living loyal location spouse stepdad stealing stay states starting start squeeze spouses spend stopped span sorry soon son something someone some so stop stopping single system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscription subscribers subscriber sub stupid situation since thanks same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense significant she signaling sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services service thank that return we where whats what were went well weeks week waste who warrant wants wanted want waiting wait vs virtue while why vaccine wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with will value ut thats tightening tracking town tooo told today tired tipped time tight try throughout through things thing they these there their tried trying using until uses users used use us upward upping upcoming unneeded twice unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring locations nonesence offer off of now notified nothing not nonsense no offset nice next news newest new never needed need offered often must options over outside out our others other original or option ok opportunity opening opened ontario only oneday one once my multiple own loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe moving moment moved move more months monthly month money monetary mom means mistake mind might merge memberships members member medical overpriced owner resume raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently profiles replace resubscribe restriction
Topic 22 | Coherence=-225682.40 | Top words= to money and other need services save have price more continues climb benefit it prices added just use dont better no the trying as much with some one time in scales goes direction finally tipped subscriptions continually selection now cancel hard financially right barely prefer aparently than platforms ll there down value fuel future grandkids games gouging gotten got great good gonna garbage gone going go given gas give girl frequent gf getting get from youre free everything fair fact face extra extortion expensive expenses expected every forth even euro especially entertainment entertaining enough end emails family fan far fault forever forcing for food focused flat fixed greedy fix first financial fiance few feet fees feel fee greed he guys issues keep justify joint join job jacking itself its issue increments isnt isn is iny intolerable into interested instead keeping keeps kept kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids inflation increasses hacked having hikes hike higher high her help health elsewhere havent increasing has hardly happy hand half had hacking hackednot hiking history holder horrible increases increased increase income improvements im ill if idea husband hungry huge how households household house hosehold email done else before biden biased biannually bf between benefits being begin been bill becoming because became be bank back awhile away biggest billing eliminating business cant cannot cancelling canceling can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at addition againlater again after afford adicional addtional addresses additional adding aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed card care cared days differences didnt deteriorated delivering declined decisions death deal day current daughter date damn dad cutting cut customers customer different disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically drain double limiting don doesnt do divorce disgusts currently currency caring charging combine college climbing city choose choice checking cheaper charges creep charged charge changing changes changed change cell caused combining come coming company credit covid courtesy country costs cost continuous continue continously constantly constant consolidating consider connected compromised competitive compared limited loyal little start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid their taking that thanks thank terrible temporary temporarily taste talk take sub system switching support summer success subscription subscribers subscriber something someone so same sense seen seems see secure second scaling saving run situation rules rule rotating rising risen rise ripped ridiculous series service servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled thats these live week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why they wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will wait vs virtue tired try tried tracking town tooo too told today times vaccine tightening tight throughout through this think things thing twice two unable under ut using uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand return retiring retired next of notified nothing not nonsense nonesence non nice news offer newest new never needed my must multiple moving off offered resume opportunity outside out our others original or options option opening offset opened ontario only oneday once on ok often moved move months lost making makes make made luck loyalty your lower losing monthly loose looking longer long lol locations location living manservices many market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may over overpriced own raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 23 | Coherence=-226301.37 | Top words= and charges greedy keep terrible you me addition pricing prices increasing been is for sharing money in new raised not price on customer increases of years because have stop upcoming as no hikes yall havent youll stealing from addtional times gotten subscription this members legacy run respect its good workable fees system added users much service back than to ridiculous elsewhere games grandkids else frequent gouging got fuel gonna gone future garbage going forth email goes go gas given get getting gf girl give free expensive emails far euro even every feel everything fee fault fan forever family expected fair fact face extra expenses feet few fiance especially forcing end food focused extortion enough fixed fix first financially financial finally entertaining great entertainment flat youre greed guys joint join job jacking itself it issues issue isnt isn iny intolerable into interested instead inflation increments just justify keeping learning life letting let lesser less left leave layoff keeps later last laid lack kids kidding kept increasses increased increase hardly her help health el he having has hard higher happy hand half had hacking hackednot hacked high hike income huge improvements im ill if idea husband hungry how hiking households household house hosehold horrible holder history eliminating doesnt edge benefit biggest biden biased biannually bf between better benefits being billing begin before becoming became be barely bank awhile bill billings care but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit away automatically aunt additional alarming agree againlater again after afford adicional addresses adding at activities acct accounts account access acceptance absurd about all allow allowed almost aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already card cared easily day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers currently current differences direction caring double earlier each duplicate due drive drastically drain down dont disappointed done don limit do divorce disgusts disgusting discontinue currency creep credit cheaper combine college climbing climb city choose choice checking charging covid charged charge changing changes changed change cell caused combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared like loyal limited spending stay states starting started start squeeze spouses spouse spend stopped span sorry soon son something someone some so stepdad stopping limiting take that thanks thank temporary temporarily taste talk taking switching stranger support summer success subscriptions subscribers subscriber sub stupid situation single since rules see secure second scaling scales saving save same rule significant rotating rising risen rise ripped right return retiring seems seen selection sense signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services series thats the their waste what were went well weeks week we way was vaccine warrant wants wanted want waiting wait vs virtue whats when where while yet yearly year ya wouldn would worth work wont won without with willing will wife why who value ut there time tracking town tooo too told today tired tipped tightening using tight throughout through think things thing they these tried try trying twice uses used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two retired resume resubscribe newest notified nothing nonsense nonesence non nice next news never months needed need my must multiple moving moved move now off offer offered others other original or options option opportunity opening opened ontario only oneday one once ok often offset more monthly out looking made luck loyalty your lower lost losing loose longer month long lol locations location ll living live little make makes making manservices monetary moment mom mistake mind might merge memberships membership member medical means maybe may married market many our outside restriction quickly reactivate re rather rates rate raising raises raise quality prescription putting put pushed provider profits profit profiles problem reality really reason recent
Topic 24 | Coherence=-217018.69 | Top words= subscription the now my for on you want how going as don their people money another wife tracking with through divorce left courtesy increase news access just spend they spending your moving thank sub disappointed break adding youre getting get gas garbage games future fuel from gf goes girl give hackednot hacked guys greedy greed great grandkids gouging gotten got good gonna gone go given frequent focused free fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else fact family forth fan forever forcing food had flat fixed fix first financially financial finally fiance few feet fees feel fee fault far hacking help half jacking kept keeps keeping keep justify joint join job itself into its it issues issue isnt isn is iny kidding kids lack laid live little limiting limited limit like life letting let lesser less legacy leave learning layoff later last intolerable interested hand el holder history hiking hikes hike higher high her health instead he having havent have has hardly hard happy horrible hosehold house household inflation increments increasses increasing increases increased income in improvements im ill if idea husband hungry huge households eliminating dont edge before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically buggin cancelling canceling cancel can bye by but business budget bill broke boyfriend both blindly bit bills billings billing away aunt easily additional agree againlater again after afford adicional addtional addresses addition all added activities acct accounts account acceptance absurd about alarming allow at annually aren are apps aparently anyways anymore any anticonsumer and allowed an amounts amount amercian am also already almost cannot cant card damn declined decisions death deal days day daughter date dad deteriorated cutting cut customers customer currently current currency creep delivering didnt care double earlier each duplicate due drive drastically drain down ll differences done doesnt do disgusts disgusting discontinue direction different credit covid country charged climb city choose choice checking cheaper charging charges charge costs changing changes changed change cell caused caring cared climbing college combine combining cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come living loyal location spouses stepdad stealing stay states starting started start squeeze spouse stopped span sorry soon son something someone some so stop stopping single take thanks than terrible temporary temporarily taste talk taking system stranger switching support summer success subscriptions subscribers subscriber stupid situation since thats same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense significant she signaling sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services service that there locations way whats what were went well weeks week we waste where was warrant wants wanted waiting wait vs virtue when while vaccine would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing will why value ut these tipped tried town tooo too told today to tired times trying time tightening tight throughout this think things thing try twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous return retiring nonsense offset offered offer off of notified nothing not nonesence ok non no nice next newest new never needed often once must original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday need multiple retired luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking longer long lol may me much mom moved move more months monthly month monetary moment mistake means mind might merge memberships membership members member medical owner owning pagos raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession parent repurposing resume
Topic 25 | Coherence=-215845.30 | Top words= price too new many keeps and expensive nonsense benefits money increasing changing don been added long you with this rules worth charges but prices hardly stupid continually use for little rule delivering point while value getting thanks no rising inflation costs never food recession under gas restart email hungry policies tried opened users accounts leave forcing last frequent later free forth forever layoff financially financial focused flat fixed fix first learning laid from fuel gone going goes go given give girl gf kidding get kids garbage games lack future left into gonna let expenses expected everything every even euro especially life entertainment like entertaining enough end emails limit letting extortion fiance extra few feet fees legacy feel fee fault far fan family fair fact face less lesser finally good got issues ill if idea its itself husband jacking job huge how households household house hosehold horrible it im gotten issue interested instead intolerable increments increasses iny increases increased increase income in is isn improvements isnt join holder history hiking hand half had hacking keep hackednot hacked keeping guys kept greedy greed great grandkids gouging happy hard justify help hikes hike higher joint high her just has health else he having havent have elsewhere youre eliminating becoming biannually bf between better benefit being begin before because biden became be barely bank back awhile away automatically biased biggest cant budget cancelling canceling cancel can bye by business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as additional agree againlater again after afford adicional addtional addresses addition aren adding activities acct account access acceptance absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cannot card el day differences didnt deteriorated declined decisions death deal days daughter direction date damn dad cutting cut customers customer currently different disappointed care drain edge easily earlier each duplicate due drive drastically down discontinue double limited done doesnt do divorce disgusts disgusting current currency creep charging college climbing climb city choose choice checking cheaper charged credit charge changes changed change cell caused caring cared combine combining come coming covid courtesy country cost continuous continues continue continously constantly constant consolidating consider connected compromised competitive compared company dont loyal limiting spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping that system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscription subscribers subscriber sub some so situation scales sense selection seen seems see secure second scaling saving single save same run rotating risen rise ripped right series service services servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thank thats live waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where the would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why vaccine ut using tight told today to tired tipped times time tightening throughout uses through think things thing they these there their tooo town tracking try used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable two twice trying ridiculous return retiring next of now notified nothing not nonesence non nice news offer newest needed need my must multiple much moving off offered retired opportunity out our others other original or options option opening offset ontario only oneday one once on ok often moved move more lost making makes make made luck loyalty your lower losing months loose looking longer lol locations location ll living manservices market married may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe outside over overpriced raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently rectifying
Topic 26 | Coherence=-222918.99 | Top words= to hikes price you extra other for charging newest activities already hike choose made kids into expensive putting services share or between one me that profiles issues better an future expected have increase this offer sharing is are summer the prices with coming time play lesser others in outside and health unemployed kept hungry house fair awhile gouging going garbage gas get great grandkids greed gone gotten getting goes gf given got good girl games gonna give go youre fuel fee far fan family fact face extortion expenses everything every even euro especially entertainment entertaining enough end emails fault feel from fees frequent free forth forever forcing food greedy flat fixed fix first financially financial finally fiance few feet focused he guys itself keep justify just joint join job jacking its keeps it issue isnt isn iny intolerable interested keeping kidding hacked less limiting limited limit like life letting let legacy lack left leave learning layoff later last laid instead inflation increments has higher high her help elsewhere having havent hardly increasses hard happy hand half had hacking hackednot hiking history holder horrible increasing increases increased income improvements im ill if idea husband huge how households household hosehold email drain else being bill biggest biden biased biannually bf benefits benefit begin billings before been becoming because became be barely bank billing bills away by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly back automatically cared addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all aunt anticonsumer at as aren apps aparently anyways anymore any another allow annually amounts amount amercian am also almost allowed care caring eliminating death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting customer drastically el edge easily earlier each duplicate due drive live disgusts down double dont done don doesnt do divorce customers currently caused checking come combining combine college climbing climb city choice cheaper compared charges charged charge changing changes changed change cell company competitive current continuous currency creep credit covid courtesy country costs cost continues compromised continue continually continously constantly constant consolidating consider connected little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son taste their thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support success subscriptions subscription soon something ll scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series servicio someone sight some so situation single since significant signaling sign sick set shoves shouldn should short she shady several settled there these they we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who thing would youll yet years yearly year yall ya wouldn worth why workable work wont won without willing will wife vs virtue value today trying try tried tracking town tooo too told tired vaccine tipped times tightening tight throughout through think things twice two unable under ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair understand rise ripped right next notified nothing not nonsense nonesence non no nice news of new never needed need my must multiple much now off owner opening overpriced over out our original options option opportunity opened offered ontario only oneday once on ok often offset moving moved move lower many manservices making makes make luck loyalty your lost more losing loose looking longer long lol locations location market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means own owning ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality put rectifying reduce pagos respect return
Topic 27 | Coherence=-230563.34 | Top words= and price the my to will is increases different in change subscription where you we have ridiculous too pay locations fee me anticonsumer upcoming that cancel many since want membership mom restrict places live two acceptance service much cost lack has your using going member sharing boyfriend risen became between wants fix quickly support am hard hacked wont nonesence buggin unemployed constantly this year activities lol prices caring hiking should fuel gas frequent good gonna gone garbage goes from go free given get give future girl gf getting games youre forth every fact face extra extortion expensive expenses expected everything even forever euro especially entertainment entertaining enough end emails email fair family fan far forcing for food focused flat fixed first financially financial finally gotten fiance few feet fees feel fault got help gouging iny itself its it issues issue isnt isn intolerable job into interested instead inflation increments increasses increasing jacking join increase laid legacy left leave learning layoff later last kids joint kidding kept keeps keeping keep justify just increased income grandkids hand else health he having havent hardly happy half high had hacking hackednot guys greedy greed great her higher improvements how im ill if idea husband hungry huge households hike household house hosehold horrible holder history hikes elsewhere disgusts eliminating begin biden biased biannually bf better benefits benefit being before automatically been becoming because be barely bank back awhile biggest bill billing billings card cant cannot cancelling canceling can bye by but business budget broke break both blindly bit bills away aunt el additional agree againlater again after afford adicional addtional addresses addition at adding added acct accounts account access absurd about alarming all allow allowed as aren are apps aparently anyways anymore any another annually an amounts amount amercian also already almost care cared caused deal direction differences didnt deteriorated delivering declined decisions death days cell day daughter date damn dad cutting cut customers disappointed discontinue disgusting lesser edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt do divorce customer currently current coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed come company currency compared creep credit covid courtesy country costs continuous continues continue continually continously constant consolidating consider connected compromised competitive less loyal let spend states starting started start squeeze spouses spouse spending span significant sorry soon son something someone some so situation stay stealing stepdad stop temporarily taste talk taking take system switching summer success subscriptions subscribers subscriber sub stupid stranger stopping stopped single signaling letting rotating scaling scales saving save same run rules rule rising sign rise ripped right return retiring retired resume resubscribe second secure see seems sight sick shoves shouldn short she share shady several settled set servicio services series sense selection seen temporary terrible than was what were went well weeks week way waste warrant thank wanted waiting wait vs virtue value vaccine ut whats when while who youll yet years yearly yall ya wouldn would worth workable work won without with willing wife why uses users used told tired tipped times time tightening tight throughout through think things thing they these there their thats thanks today tooo use town us upward upping up until unneeded unnecessary unfortunately unfair understand under unable twice trying try tried tracking restriction restart respect newest nothing not nonsense non no nice next news new other never needed need must multiple moving moved move notified now of off or options option opportunity opening opened ontario only oneday one once on ok often offset offered offer more months monthly made loyalty lower lost losing loose looking longer long location ll living little limiting limited limit like life luck make month makes money monetary moment mistake mind might merge memberships members medical means maybe may married market manservices making original others residence put rates rate raising raises raised raise quality putting pushed our provider profits profit profiles problem pricing president prescription rather re reactivate
Topic 28 | Coherence=-214077.58 | Top words= your you and re anyways ut no daughter thank going to sign uses charge for me bye good extra in raising of continously restriction on prices services pagos servicio bills profits por adicional el just eliminating death holder monthly account allow must worth blindly garbage hacked greedy games guys future hacking fuel gas hackednot go get greed goes great grandkids gouging gotten got gonna gf girl give given from gone getting youre frequent free fan family fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough far fault fee fix forth forever forcing food focused flat had first feel financially financial finally fiance few feet fees fixed he half jacking kept keeps keeping keep justify joint join job itself into its it issues issue isnt isn is iny kidding kids lack laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last intolerable interested hand help horrible history hiking hikes hike higher high her health instead emails having havent have has hardly hard happy hosehold house household households inflation increments increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how end drive email begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away but card cant cannot cancelling canceling cancel can by business billing buggin budget broke break boyfriend both bit billings awhile automatically elsewhere addition agree againlater again after afford addtional addresses additional adding all added activities acct accounts access acceptance absurd about alarming allowed aunt anticonsumer at as aren are apps aparently anymore any another almost annually an amounts amount amercian am also already care cared caring deal direction different differences didnt deteriorated delivering declined decisions days discontinue day date damn dad cutting cut customers customer disappointed disgusting caused drastically else edge easily earlier each duplicate due living drain disgusts down double dont done don doesnt do divorce currently current currency checking combining combine college climbing climb city choose choice cheaper creep charging charges charged changing changes changed change cell come coming company compared credit covid courtesy country costs cost continuous continues continue continually constantly constant consolidating consider connected compromised competitive live loyal ll stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting started start squeeze spouses spouse spending spend subscriber subscription sorry temporarily their the thats that thanks than terrible temporary taste subscriptions talk taking take system switching support summer success span soon these second service series sense selection seen seems see secure scaling settled scales saving save same run rules rule rotating set several son signaling something someone some so situation single since significant sight shady sick shoves shouldn should short she sharing share there they location we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who virtue would youll yet years yearly year yall ya wouldn workable why work wont won without with willing will wife vs value thing tipped tried tracking town tooo too told today tired times trying time tightening tight throughout through this think things try twice vaccine up using users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable rising risen rise nonesence offered offer off now notified nothing not nonsense non often nice next news newest new never needed need offset ok multiple or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one my much ripped loyalty market many manservices making makes make made luck lower may lost losing loose looking longer long lol locations married maybe moving mom moved move more months month money monetary moment mistake means mind might merge memberships membership members member medical own owner owning rather rectifying recession recently recent reason really reality reactivate rates reduce rate raises raised raise quickly quality putting put redo reducing parent restart right
Topic 29 | Coherence=-227923.48 | Top words= prices raising keep price you your is the no it stop increasing customer worth not and money new fees year enough upping adding subscriber rates long damn fault feel entertaining dont every customers more we into success there twice loyalty put in raise pay are constantly time some made sharing that really alarming huge amounts months nothing by ridiculous getting please these pls back monthly everything lower let buggin blindly other earlier gone gas got good gonna frequent girl going give get from goes fuel go given future games garbage gf financial free extortion fan family fair fact face extra expensive forth expenses expected even euro especially entertainment far fee feet few fiance finally gouging financially first fix fixed flat focused food for forcing forever gotten youre grandkids great jacking itself its issues issue isnt isn iny intolerable interested instead inflation increments increasses increases increased increase job join joint last less legacy left leave learning layoff later laid just lack kids kidding kept keeps keeping justify income improvements im hand having havent have has hardly hard happy half help had hacking hackednot hacked guys greedy greed health her ill house if idea husband hungry how households household hosehold high horrible holder history hiking hikes hike higher he down end being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing away bye care card cant cannot cancelling canceling cancel can but billings business budget broke break boyfriend both bit bills awhile automatically emails addition againlater again after afford adicional addtional addresses additional added all activities acct accounts account access acceptance absurd about agree allow aunt anticonsumer at as aren apps aparently anyways anymore any another allowed annually an amount amercian am also already almost cared caring caused decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date dad cutting cut discontinue disgusts cell duplicate email elsewhere else eliminating el edge easily each due divorce drive drastically drain double done don doesnt do currently current currency checking combining combine college climbing climb city choose choice cheaper creep charging charges charged charge changing changes changed change come coming company compared credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised competitive lesser loyal letting start stopping stopped stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stranger stupid sub subscribers thats thanks thank than terrible temporary temporarily taste talk taking take system switching support summer subscriptions subscription something so ripped scales sense selection seen seems see secure second scaling saving situation save same run rules rule rotating rising risen series service services servicio single since significant signaling sign sight sick shoves shouldn should short she share shady several settled set their they thing way when whats what were went well weeks week waste things was warrant wants wanted want waiting wait vs where while who why youll yet years yearly yall ya wouldn would workable work wont won without with willing will wife virtue value vaccine trying tried tracking town tooo too told today to tired tipped times tightening tight throughout through this think try two ut unable using uses users used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right life news of now notified nonsense nonesence non nice next newest move never needed need my must multiple much moving off offer offered offset our others original or options option opportunity opening opened ontario only oneday one once on ok often moved month return locations make luck lost losing loose looking longer lol location monetary ll living live little limiting limited limit like makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market out outside over rate recession recently recent reason reality reactivate re rather raises overpriced raised quickly quality putting pushed provider profits profit rectifying redo reduce
Topic 30 | Coherence=-212830.06 | Top words= use prices have enough but anymore do will get moving damn with these mind settled once lost yall rejoin new upcoming increases cost anticonsumer warrant pay and just fee back we continues elsewhere where am often location ridiculous goes go given entertainment give girl gf gone getting gas garbage games especially future going entertaining from end hacking hackednot email emails hacked guys greedy greed great grandkids gouging gotten got good gonna fuel frequent far first financial extortion finally fiance few feet extra fees feel face fact fair family fan fault financially expensive free expenses euro forth forever forcing even for food every focused flat everything fixed expected fix half had youre hand job kidding kept keeps keeping keep justify joint join jacking lack itself its it issues issue isnt isn is kids laid happy letting living live little limiting limited limit like life let last lesser less legacy left leave learning layoff later iny intolerable into else hosehold horrible holder history hiking hikes hike higher her interested help health he having havent has hardly hard house household households how instead inflation increments increasses increasing increased increase income in improvements im ill if idea husband hungry huge high drastically eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank awhile biden bill automatically buggin cannot cancelling canceling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings away aunt el adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at annually as aren are apps aparently anyways any another an all amounts amount amercian also already almost allowed allow cant card care day didnt deteriorated delivering declined decisions death deal days daughter different date dad cutting cut customers customer currently current differences direction cared down edge easily earlier each duplicate due drive drain double disappointed dont done don doesnt divorce disgusts disgusting discontinue currency creep credit charges climbing climb city choose choice checking cheaper charging charged covid charge changing changes changed change cell caused caring college combine combining come courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming ll loyal locations started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers son someone thats scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short she sharing share shady several that the rise was what were went well weeks week way waste wants when wanted want waiting wait vs virtue value vaccine whats while using would youll you yet years yearly year ya wouldn worth who workable work wont won without willing wife why ut uses their tightening too told today to tired tipped times time tight town throughout through this think things thing they there tooo tracking users unfortunately used us upward upping up until unneeded unnecessary unfair tried unemployed understand under unable two twice trying try risen ripped lol nonsense offered offer off of now notified nothing not nonesence ok non no nice next news newest never needed offset on my original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday need must owning made may married market many manservices making makes make luck me loyalty your lower losing loose looking longer long maybe means multiple monetary much moved move more months monthly month money moment medical mom mistake might merge memberships membership members member owner pagos right rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo provider respect return retiring
Topic 31 | Coherence=-221014.28 | Top words= to of only being change need enough up keep what were means wouldn re begin understand greedy hiking leave cared ll about high us this that billing you if prices when date no with my unable subscription at all country customer help service one households combine boyfriend reality remarried due redo payment switching acceptance membership spend family discontinue new before after gf even getting get grandkids girl gas garbage great games greed euro especially give good given go entertainment every goes going gouging gotten got gone gonna entertaining fuel future fees flat fan far fixed fix first fault financially fee financial finally fiance feel few feet guys food for forth everything from frequent expected free expenses forever forcing expensive extortion extra face fact fair focused youre hacked increments joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead just justify keeping learning life letting let lesser less legacy left layoff keeps later last laid lack kids kidding kept inflation increasses hackednot increasing hike higher her emails health he having havent have has hardly hard happy hand half had hacking hikes history holder ill increases increased increase income in improvements im idea horrible husband hungry huge how household house hosehold end dont email benefit biggest biden biased biannually bf between better benefits been automatically becoming because became be barely bank back awhile bill billings bills bit card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break both blindly away aunt elsewhere additional alarming agree againlater again afford adicional addtional addresses addition as adding added activities acct accounts account access absurd allow allowed almost already aren are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also care caring caused decisions disappointed direction different differences didnt deteriorated delivering declined death cell deal days day daughter damn dad cutting cut disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate drive drastically drain down double limit done don doesnt customers currently current company come combining college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed coming compared currency competitive creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised like loyal limited spouse stealing stay states starting started start squeeze spouses spending stop span sorry soon son something someone some so stepdad stopped return system than terrible temporary temporarily taste talk taking take support stopping summer success subscriptions subscribers subscriber sub stupid stranger situation single since same seems see secure second scaling scales saving save run significant rules rule rotating rising risen rise ripped right seen selection sense series signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thank thanks thats was whats went well weeks week we way waste warrant ut wants wanted want waiting wait vs virtue value where while who why youll yet years yearly year yall ya would worth workable work wont won without willing will wife vaccine using the tight too told today tired tipped times time tightening throughout uses through think things thing they these there their tooo town tracking tried users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under two twice trying try ridiculous retiring limiting news notified nothing not nonsense nonesence non nice next newest off never needed must multiple much moving moved move now offer retired opportunity out our others other original or options option opening offered opened ontario oneday once on ok often offset more months monthly loose make made luck loyalty your lower lost losing looking month longer long lol locations location living live little makes making manservices many money monetary moment mom mistake mind might merge memberships members member medical me maybe may married market outside over overpriced raise really reactivate rather rates rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles reason recent recently recession
Topic 32 | Coherence=-214722.60 | Top words= and price married don sharing of two got increase subscription need bye subscriptions limited recent talk my husband memberships now getting have recently after agree consolidating share households currently merge reflect made limit dont options starting thanks short future good great grandkids fuel from greed greedy guys frequent games get garbage gas gouging gf girl give given gotten forth go goes going gone gonna free fix forever every fact face extra extortion expensive expenses expected everything even forcing euro especially entertainment entertaining enough end emails email fair family fan far for food focused flat fixed hackednot first financially financial finally fiance few feet fees feel fee fault hacked youre hacking itself keeping keep justify just joint join job jacking its kept it issues issue isnt isn is iny intolerable keeps kidding had less live little limiting like life letting let lesser legacy kids left leave learning layoff later last laid lack into interested instead he hiking hikes hike higher high her help health having inflation havent else has hardly hard happy hand half history holder horrible hosehold increments increasses increasing increases increased income in improvements im ill if idea hungry huge how household house elsewhere drive eliminating cant biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away biased biden biggest budget cancelling canceling cancel can by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically aunt at adding againlater again afford adicional addtional addresses additional addition added all activities acct accounts account access acceptance absurd about alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost cannot card el care didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer current currency differences different direction drain edge easily earlier each duplicate due ll drastically down disappointed double done doesnt do divorce disgusts disgusting discontinue creep credit covid charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine courtesy constantly country costs cost continuous continues continue continually continously constant combining consider connected compromised competitive compared company coming come living loyal location stealing subscriber sub stupid stranger stopping stopped stop stepdad stay success states started start squeeze spouses spouse spending spend subscribers summer sorry thank thing they these there their the thats that than support terrible temporary temporarily taste taking take system switching span soon think second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set son signaling something someone some so situation single since significant sign settled sight sick shoves shouldn should she shady several things this locations weeks while where when whats what were went well week why we way waste was warrant wants wanted want who wife wait wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing waiting vs through told twice trying try tried tracking town tooo too today under to tired tipped times time tightening tight throughout unable understand virtue us value vaccine ut using uses users used use upward unemployed upping upcoming up until unneeded unnecessary unfortunately unfair rising risen rise not ok often offset offered offer off notified nothing nonsense once nonesence non no nice next news newest new on one needed others owning owner own overpriced over outside out our other oneday original or option opportunity opening opened ontario only never must ripped loyalty may market many manservices making makes make luck your me lower lost losing loose looking longer long lol maybe means multiple money much moving moved move more months monthly month monetary medical moment mom mistake mind might membership members member pagos parent parents rates rectifying recession reason really reality reactivate re rather rate reduce raising raises raised raise quickly quality putting put redo reducing passed restrict right
Topic 33 | Coherence=-216282.34 | Top words= you are dont guys to business so do prices make good resubscribe sense decisions doesnt well making why at that not want expensive forth put and time needed services elsewhere take when others compared it switching constantly need raising rising second politically trying cared with give future free greedy greed great frequent from grandkids fuel gouging gotten games girl got garbage gas gonna get getting gone going goes gf go given youre forever family fact face extra extortion expenses expected everything every even euro especially entertainment entertaining enough end emails email fair fan forcing far for food focused flat fixed fix first financially financial hacked fiance few feet fees feel fee fault finally hardly hackednot hacking keep justify just joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead keeping keeps kept legacy limited limit like life letting let lesser less left kidding leave learning layoff later last laid lack kids inflation increments increasses having hikes hike higher high her help health he havent history have has eliminating hard happy hand half had hiking holder increasing if increases increased increase income in improvements im ill idea horrible husband hungry huge how households household house hosehold else done el becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased cancelling break cancel can bye by but buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest aunt as aren adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow canceling cannot edge damn delivering declined death deal days day daughter date dad didnt cutting cut customers customer currently current currency creep deteriorated differences cant down easily earlier each duplicate due drive drastically drain double different little don divorce disgusts disgusting discontinue disappointed direction credit covid courtesy charge city choose choice checking cheaper charging charges charged changing country changes changed change cell caused caring care card climb climbing college combine costs cost continuous continues continue continually continously constant consolidating consider connected compromised competitive company coming come combining limiting loyal live squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger the taking thanks thank than terrible temporary temporarily taste talk system stupid support summer success subscriptions subscription subscribers subscriber sub someone some situation same seen seems see secure scaling scales saving save run single rules rule rotating risen rise ripped right ridiculous selection series service servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set thats their retiring was what were went weeks week we way waste warrant where wants wanted waiting wait vs virtue value vaccine whats while there would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing will wife ut using uses tightening town tooo too told today tired tipped times tight users throughout through this think things thing they these tracking tried try twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired living next now notified nothing nonsense nonesence non no nice news off newest new never my must multiple much moving of offer outside opened our other original or options option opportunity opening ontario offered only oneday one once on ok often offset moved move more lost many manservices makes made luck loyalty your lower losing months loose looking longer long lol locations location ll market married may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me out over resume raise reality reactivate re rather rates rate raises raised quickly reason quality putting pushed provider profits profit profiles problem really recent overpriced rent restriction
Topic 34 | Coherence=-218345.97 | Top words= you to sharing for pay the from that price people just want will greed charging guys new they more fee loose stop something and increase because reality drive shouldn manservices market competitive down pick subscriptions won weeks several lack keep need discontinue acceptance until waiting take caring caused tracking day declined tired cancel me even using card expensive give garbage grandkids gouging fuel future gotten games got good gas gonna get gone getting going gf go given girl goes youre frequent fan fair fact face extra extortion expenses expected everything every euro especially entertainment entertaining enough end emails email family far free fault forth forever forcing food focused flat fixed great first financially financial finally fiance few feet fees feel fix has greedy isn job jacking itself its it issues issue isnt is hacked iny intolerable into interested instead inflation increments increasses join joint justify keeping life letting let lesser less legacy left leave learning layoff later last laid kids kidding kept keeps increasing increases increased hike high her help health he having havent have else hardly hard happy hand half had hacking hackednot higher hikes income hiking in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history elsewhere do eliminating becoming between better benefits benefit being begin before been became as be barely bank back awhile away automatically aunt bf biannually biased biden bye by but business buggin budget broke break boyfriend both blindly bit bills billings billing bill biggest at aren canceling addition againlater again after afford adicional addtional addresses additional adding are added activities acct accounts account access absurd about agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed can cancelling el date didnt deteriorated delivering decisions death deal days daughter damn credit dad cutting cut customers customer currently current currency differences different direction disappointed edge easily earlier each duplicate due drastically drain double dont done don doesnt limit divorce disgusts disgusting creep covid cannot charged climbing climb city choose choice checking cheaper charges charge courtesy changing changes changed change cell cared care cant college combine combining come country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised compared company coming like loyal limited spend states starting started start squeeze spouses spouse spending span stealing sorry soon son someone some so situation single stay stepdad resubscribe support terrible temporary temporarily taste talk taking system switching summer stopped success subscription subscribers subscriber sub stupid stranger stopping since significant signaling rotating scaling scales saving save same run rules rule rising sign risen rise ripped right ridiculous return retiring retired second secure see seems sight sick shoves should short she share shady settled set servicio services service series sense selection seen than thank thanks way when whats what were went well week we waste ut was warrant wants wanted wait vs virtue value where while who why youll yet years yearly year yall ya wouldn would worth workable work wont without with willing wife vaccine uses thats tight tooo too told today tipped times time tightening throughout users through this think things thing these there their town tried try trying used use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice resume restriction limiting next notified nothing not nonsense nonesence non no nice news of newest never needed my must multiple much moving now off restrict ontario other original or options option opportunity opening opened only offer oneday one once on ok often offset offered moved move months looking make made luck loyalty your lower lost losing longer monthly long lol locations location ll living live little makes making many married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may others our out quickly re rather rates rate raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reactivate really reason recent
Topic 35 | Coherence=-221681.76 | Top words= and to price with is more money increases saving going can for deal be need continuous problem re kids that in another charge my unfair city you intolerable live will how budget return tightening dad againlater sharing fair gf kidding few go long out outside rise restart entertainment im has fuel from future frequent gotten great games garbage gouging good gonna gone goes given grandkids forth give girl getting get got gas greed free youre forever every face extra extortion expensive expenses expected everything even family euro especially entertaining enough end emails email fact fan forcing financially food focused flat fixed fix guys first financial far finally fiance feet fees feel fee fault greedy having hacked kept keeping keep justify just joint join job jacking itself its it issues issue isnt isn iny into keeps lack instead laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last interested inflation hackednot hiking hike higher high her help health he else havent have hardly hard happy hand half had hacking hikes history increments holder increasses increasing increased increase income improvements ill if idea husband hungry huge households household house hosehold horrible elsewhere drastically eliminating before biannually bf between better benefits benefit being begin been biden becoming because became barely bank back awhile away biased biggest aunt buggin cannot cancelling canceling cancel bye by but business broke bill break boyfriend both blindly bit bills billings billing automatically at el adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as annually aren are apps aparently anyways anymore any anticonsumer an allow amounts amount amercian am also already almost allowed cant card care days different differences didnt deteriorated delivering declined decisions death day disappointed daughter date damn cutting cut customers customer currently direction discontinue cared drain edge easily earlier each duplicate due drive ll down disgusting double dont done don doesnt do divorce disgusts current currency creep charging combine college climbing climb choose choice checking cheaper charges credit charged changing changes changed change cell caused caring combining come coming company covid courtesy country costs cost continues continue continually continously constantly constant consolidating consider connected compromised competitive compared living loyal location states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon taste the thats thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions sorry son there secure services service series sense selection seen seems see second set scaling scales save same run rules rule rotating servicio settled something sign someone some so situation single since significant signaling sight several sick shoves shouldn should short she share shady their these locations way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while value would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing wife why virtue vaccine they tipped tried tracking town tooo too told today tired times trying time tight throughout through this think things thing try twice ut upcoming using uses users used use us upward upping up two until unneeded unnecessary unfortunately unemployed understand under unable rising risen ripped nonsense offered offer off of now notified nothing not nonesence often non no nice next news newest new never offset ok must options own overpriced over our others other original or option on opportunity opening opened ontario only oneday one once needed multiple right luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer lol may me much mom moving moved move months monthly month monetary moment mistake means mind might merge memberships membership members member medical owner owning pagos rate recently recent reason really reality reactivate rather rates raising rectifying raises raised raise quickly quality putting put pushed recession redo parent residence ridiculous
Topic 36 | Coherence=-222725.32 | Top words= price the not to increase for is be enough you are used currently willing me why up am raised do keep this continues options has paying something as support great less go constant creep done long more your high while renewing quality days jacking think afford checking shady spending last else absurd rules from higher horrible original tried became cancel using on times entertainment platform greed forcing layoff forever intolerable learning leave forth food focused flat fixed left fuel free laid given give girl gf lack getting get frequent gas garbage later games future first fix legacy financially financial face extra extortion expensive expenses expected everything every even euro especially entertaining end like emails life letting fact fees kidding finally lesser fiance few feet feel fair fee fault far fan family let kids good goes going if idea husband hungry huge how issues households household house it hosehold holder its itself ill im improvements isn into interested instead inflation increments iny increasses in isnt increasing increases increased issue income history hiking hikes keeps hacking hackednot hacked guys greedy keeping grandkids half gouging gotten got gonna gone kept had hand hike email job join her help health he havent justify have joint hardly hard just happy having youre elsewhere being biden biased biannually bf between better benefits benefit begin automatically before been becoming because barely bank back awhile biggest bill billing billings cannot cancelling canceling can bye by but business buggin budget broke break boyfriend both blindly bit bills away aunt card addition agree againlater again after adicional addtional addresses additional adding at added activities acct accounts account access acceptance about alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also already almost cant care eliminating death direction different differences didnt deteriorated delivering declined decisions deal current day daughter date damn dad cutting cut customers disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double dont limited don doesnt divorce customer currency cared charges college climbing climb city choose choice cheaper charging charged credit charge changing changes changed change cell caused caring combine combining come coming covid courtesy country costs cost continuous continue continually continously constantly consolidating consider connected compromised competitive compared company limit loyal limiting spouses stepdad stealing stay states starting started start squeeze spouse stopped spend span sorry soon son someone some so stop stopping retiring system than terrible temporary temporarily taste talk taking take switching stranger summer success subscriptions subscription subscribers subscriber sub stupid situation single since same seems see secure second scaling scales saving save run significant rule rotating rising risen rise ripped right ridiculous seen selection sense series signaling sign sight sick shoves shouldn should short she sharing share several settled set servicio services service thank thanks that way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs when where who wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with will virtue vaccine thats tightening town tooo too told today tired tipped time tight ut throughout through things thing they these there their tracking try trying twice uses users use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two return retired little newest nothing nonsense nonesence non no nice next news new now never needed need my must multiple much moving notified of resume ontario our others other or option opportunity opening opened only off oneday one once ok often offset offered offer moved move months losing making makes make made luck loyalty lower lost loose monthly looking longer lol locations location ll living live manservices many market married month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may out outside over raises really reality reactivate re rather rates rate raising raise pricing quickly putting put pushed provider profits profit profiles reason recent recently recession
Topic 37 | Coherence=-213299.44 | Top words= my in subscription has with is we already an moved moving and subscriptions are it only he bf who someone have husband so subscriber consolidating fiance wife her son phone needed boyfriend household married own offered free hacking spouse keeps got over elsewhere take bill combining away times repurposing joint isn from get gas garbage games future fuel frequent fixed limited forth forever forcing for food focused getting limit gf like gotten less lesser good gonna gone going let goes letting go given give life girl flat fix gouging first expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email little extortion extra face fees financially financial finally limiting few feet feel fact fee fault far fan family fair legacy grandkids iny hosehold improvements job im ill if idea join hungry huge how households just justify keep keeping jacking income increase instead intolerable into isnt issue issues interested inflation increased its increments itself increasses increasing increases house horrible great holder last later happy hand half had layoff learning leave hackednot left hacked guys greedy greed hard laid hardly high history hiking kept hikes hike higher kidding lack help health else having havent kids youre down eliminating begin biden biased biannually between better benefits benefit being before billing been becoming because became be barely bank back biggest billings automatically by card cant cannot cancelling canceling cancel can bye but bills business buggin budget broke break both blindly bit awhile aunt cared adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at another as aren apps aparently anyways anymore any anticonsumer annually all amounts amount amercian am also almost allowed allow care caring el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drain edge easily earlier each duplicate due drive drastically living disgusting double dont done don doesnt do divorce disgusts customer current caused cheaper combine college climbing climb city choose choice checking charging coming charges charged charge changing changes changed change cell come company currency continues creep credit covid courtesy country costs cost continuous continue compared continually continously constantly constant consider connected compromised competitive live loyal ll starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spending spend span sorry soon stupid subscribers some terrible there their the thats that thanks thank than temporary success temporarily taste talk taking system switching support summer something situation right saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio these they thing waste whats what were went well weeks week way was where warrant wants wanted want waiting wait vs virtue when while things wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing will value vaccine ut to try tried tracking town tooo too told today tired using tipped time tightening tight throughout through this think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped ridiculous location nonesence offer off of now notified nothing not nonsense non often no nice next news newest new never need offset ok multiple or owner overpriced outside out our others other original options on option opportunity opening opened ontario oneday one once must much return your many manservices making makes make made luck loyalty lower may lost losing loose looking longer long lol locations market maybe move mistake more months monthly month money monetary moment mom mind me might merge memberships membership members member medical means owning pagos parent rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parents residence retiring
Topic 38 | Coherence=-222890.84 | Top words= price the of increases your and with hike in has months like no was good since me gone just longer value member selection deteriorated up that span worth drastically being increase cost enough for money over continues rise time pricing pushed edge every tired end amount sight sick charges frequent access people justify high stupid addition going short lol annually limiting off ripped their kidding again climbing broke covid loyal two living keep before almost keeps while addtional days profits be save if garbage gas keeping financial financially first fix getting fixed flat last focused food laid get forcing forever forth free finally kept from fuel future games kids lack increased fiance gf entertaining entertainment especially euro even less legacy everything expected expenses expensive extortion extra left face fact fair family leave fan far fault fee learning layoff feel later fees feet few give girl interested holder history hiking inflation instead hikes into he intolerable iny higher is her help horrible hosehold house increments household households how increasses huge hungry increasing husband idea ill im improvements income isn having joint itself its great grandkids gouging gotten got gonna havent jacking job join goes go given it greed greedy guys hacked hackednot hacking issues had issue half hand happy hard hardly isnt have health doesnt emails better billing bill biggest biden biased biannually bf between benefits email benefit begin been becoming because became barely bank billings bills bit blindly care card cant cannot cancelling canceling cancel can bye by but business buggin budget break boyfriend both back awhile away allow alarming agree againlater after afford adicional addresses additional adding added activities acct accounts account acceptance absurd about all allowed automatically already aunt at as aren are apps aparently anyways anymore any anticonsumer another an amounts amercian am also cared caring caused disgusts discontinue disappointed direction different differences didnt delivering declined decisions death deal day daughter date damn dad cutting disgusting divorce customers do elsewhere else eliminating el easily earlier each duplicate due drive drain down double dont done don let cut customer cell company come combining combine college climb city choose choice checking cheaper charging charged charge changing changes changed change coming compared currently competitive current currency creep credit courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised lesser youre letting started stopping stopped stop stepdad stealing stay states starting start someone squeeze spouses spouse spending spend sorry soon son stranger sub subscriber subscribers thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription something some resume run seems see secure second scaling scales saving same rules so rule rotating rising risen right ridiculous return retiring seen sense series service situation single significant signaling sign shoves shouldn should she sharing share shady several settled set servicio services thats there these we when whats what were went well weeks week way they waste warrant wants wanted want waiting wait vs where who why wife youll you yet years yearly year yall ya wouldn would workable work wont won without willing will virtue vaccine ut try tracking town tooo too told today to tipped times tightening tight throughout through this think things thing tried trying using twice uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable retired resubscribe life news notified nothing not nonsense nonesence non nice next newest moved new never needed need my must multiple much now offer offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often moving move restriction loose makes make made luck loyalty lower lost losing looking more long locations location ll live little limited limit making manservices many market monthly month monetary moment mom mistake mind might merge memberships membership members medical means maybe may married our out outside raised reality reactivate re rather rates rate raising raises raise overpriced quickly quality putting put provider profit profiles problem really reason recent
Topic 39 | Coherence=-220946.28 | Top words= be your access why is greed and will am we checking good many luck now canceling too increments where subscription back price break taking ll money when of saving bit just time can they business broke might repurposing come monetary reality tracking layoff take summer over constantly as caring had girl hacking gf grandkids hackednot getting get gas half give got hacked gone guys given greedy go gotten great goes garbage gonna going gouging youre games expenses far fan family fair fact face extra extortion expensive expected fee everything every even euro especially entertainment entertaining enough end fault feel future hand fuel from frequent free forth forever forcing for food flat fees fixed fix first financially financial finally fiance few feet focused hike happy hard keeping keep justify joint join job jacking itself its it issues issue isnt isn iny intolerable into keeps kept kidding less limited limit like life letting let lesser legacy kids left leave learning later last laid lack interested instead inflation her holder history hiking hikes email higher high help hosehold health he having havent have has hardly horrible house increasses im increasing increases increased increase income in improvements ill household if idea husband hungry huge how households emails double elsewhere begin biased biannually bf between better benefits benefit being before aunt been becoming because became barely bank awhile away biden biggest bill billing cared care card cant cannot cancelling cancel bye by but buggin budget boyfriend both blindly bills billings automatically at cell addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed caused change else declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down little dont done don doesnt cutting customers changed city compared company coming combining combine college climbing climb choose customer choice cheaper charging charges charged charge changing changes competitive compromised connected consider currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating limiting loyal live spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping so talk that thanks thank than terrible temporary temporarily taste system stranger switching support success subscriptions subscribers subscriber sub stupid some situation living save selection seen seems see secure second scaling scales same series run rules rule rotating rising risen rise ripped sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio thats the their was what were went well weeks week way waste warrant while wants wanted want waiting wait vs virtue value whats who there wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing vaccine ut using times tried town tooo told today to tired tipped tightening uses tight throughout through this think things thing these try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable right ridiculous return non offered offer off notified nothing not nonsense nonesence no often nice next news newest new never needed need offset ok owner options overpriced outside out our others other original or option on opportunity opening opened ontario only oneday one once my must multiple lower married market manservices making makes make made loyalty lost much losing loose looking longer long lol locations location may maybe me means moving moved move more months monthly month moment mom mistake mind merge memberships membership members member medical own owning retiring raises reason really reactivate re rather rates rate raising raised recently raise quickly quality putting put pushed provider profits recent recession pagos reside retired
Topic 40 | Coherence=-212135.92 | Top words= my service getting be through provider everything out life already will else are phone am of expensive hikes much too happy work budget increase spending now at connected accounts combining what moment get married unnecessary cutting like cell expenses temporary in seen free less customer go gotten hackednot future hacked guys games got greedy gonna garbage greed gas gouging gone gf great good girl give given grandkids going goes fuel focused from every fan family fair fact face extra extortion expected even frequent euro especially entertainment entertaining enough end emails email far fault fee feel forth forever forcing for food had flat fixed fix first financially financial finally fiance few feet fees hacking youre half kidding keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn is kept kids intolerable lack living live little limiting limited limit letting let lesser legacy left leave learning layoff later last laid iny into hand house horrible holder history hiking hike higher high her elsewhere health he having havent have has hardly hard hosehold household interested households instead inflation increments increasses increasing increases increased income improvements im ill if idea husband hungry huge how help drain eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank back awhile biden bill card business cannot cancelling canceling cancel can bye by but buggin billing broke break boyfriend both blindly bit bills billings away automatically aunt addition againlater again after afford adicional addtional addresses additional adding as added activities acct account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian also almost allowed cant care el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cut customers currently direction discontinue cared location edge easily earlier each duplicate due drive drastically down disgusting double dont done don doesnt do divorce disgusts current currency creep charging college climbing climb city choose choice checking cheaper charges credit charged charge changing changes changed change caused caring combine come coming company covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider compromised competitive compared ll loyal locations lol stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spend span sorry soon sub subscriber subscribers taste the thats that thanks thank than terrible temporarily talk subscription taking take system switching support summer success subscriptions son something someone scales series sense selection seems see secure second scaling saving servicio save same run rules rule rotating rising risen services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their there these way when whats were went well weeks week we waste while was warrant wants wanted want waiting wait vs where who value wouldn youll you yet years yearly year yall ya would why worth workable wont won without with willing wife virtue vaccine they tipped tried tracking town tooo told today to tired times trying time tightening tight throughout this think things thing try twice ut upcoming using uses users used use us upward upping up two until unneeded unfortunately unfair unemployed understand under unable rise ripped right nonsense often offset offered offer off notified nothing not nonesence on non no nice next news newest new never ok once need original owner own overpriced over outside our others other or one options option opportunity opening opened ontario only oneday needed must pagos luck may market many manservices making makes make made loyalty me your lower lost losing loose looking longer long maybe means multiple monetary moving moved move more months monthly month money mom medical mistake mind might merge memberships membership members member owning parent ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pushed respect return retiring
Topic 41 | Coherence=-220313.58 | Top words= and with you the extra share of idea family about bill using increase power outside subscription states limit my that news want me waste cant without time money won would learning spend rather hosehold stay currently spouses out reside unable married non biannually another raising went gf go given give girl get getting goes email gas expensive garbage extortion elsewhere expenses emails gotten eliminating euro even greed great grandkids gouging got expected every everything else good gonna gone going games far future fuel fact first fair financially financial finally fiance few entertaining feet fees feel fee fault entertainment guys fix enough forever fan from frequent free end forth forcing fixed for especially face food focused flat greedy having hacked issues just joint join job jacking itself its it issue hackednot isnt isn is iny intolerable into interested instead justify keep keeping keeps like life letting let lesser less legacy left leave layoff later last laid lack kids kidding kept inflation increments increasses hikes higher high her help health he edge havent have has hardly hard happy hand half had hacking hike hiking increasing history increases increased income in improvements im ill if husband hungry huge how households household house horrible holder el youre easily been bf between better benefits benefit being begin before becoming biden because became be barely bank back awhile away biased biggest aunt buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically at card addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all as annually aren are apps aparently anyways anymore any anticonsumer an allow amounts amount amercian am also already almost allowed cannot care earlier daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer current currency didnt different credit dont each duplicate due drive drastically drain down double done direction limited doesnt do divorce disgusts disgusting discontinue disappointed creep covid cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining courtesy constantly country costs cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming don loyal limiting span stepdad stealing starting started start squeeze spouse spending sorry stopped soon son something someone some so situation single stop stopping retired system than terrible temporary temporarily taste talk taking take switching stranger support summer success subscriptions subscribers subscriber sub stupid since significant signaling rules secure second scaling scales saving save same run rule sign rotating rising risen rise ripped right ridiculous return see seems seen selection sight sick shoves shouldn should short she sharing shady several settled set servicio services service series sense thank thanks thats warrant what were well weeks week we way was wants users wanted waiting wait vs virtue value vaccine ut whats when where while youll yet years yearly year yall ya wouldn worth workable work wont willing will wife why who uses used their tight too told today to tired tipped times tightening throughout use through this think things thing they these there tooo town tracking tried us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice trying try retiring resume little newest notified nothing not nonsense nonesence no nice next new off never needed need must multiple much moving moved now offer resubscribe opened others other original or options option opportunity opening ontario offered only oneday one once on ok often offset move more months loose make made luck loyalty your lower lost losing looking monthly longer long lol locations location ll living live makes making manservices many month monetary moment mom mistake mind might merge memberships membership members member medical means maybe may market our over overpriced quickly reality reactivate re rates rate raises raised raise quality prices putting put pushed provider profits profit profiles problem really reason recent recently
Topic 42 | Coherence=-217574.85 | Top words= the you it just many can my use in as months anymore by time last see moved fees raised off laid reducing rules expenses on increase when charge never customers focused aren justify ridiculous ill unneeded and biannually good drain hungry users states charging work resume feel getting given give enough girl gf get from gas garbage entertaining games entertainment future end go goes grandkids hacked guys elsewhere greedy greed great gouging going gotten got email emails gonna gone fuel especially fee fact first face hackednot financial finally fiance fair frequent family few feet fan far fault extra fix extortion fixed flat expensive expected food everything for every forcing forever even euro forth free financially her hacking kidding keeps keeping keep joint join job jacking itself its issues issue isnt isn is iny intolerable into kept kids had lack live little limiting limited limit like life letting let lesser less legacy left leave learning layoff later interested instead inflation increments hikes hike higher high eliminating help health he having havent have has hardly hard happy hand half hiking history holder if increasses increasing increases increased income improvements im idea horrible husband huge how households household house hosehold else youre el before biased bf between better benefits benefit being begin been biggest becoming because became be barely bank back awhile biden bill automatically buggin cant cannot cancelling canceling cancel bye but business budget billing broke break boyfriend both blindly bit bills billings away aunt edge adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at an are apps aparently anyways any anticonsumer another annually amounts all amount amercian am also already almost allowed allow card care cared days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customer currently different disappointed caring down easily earlier each duplicate due drive drastically ll double discontinue dont done don doesnt do divorce disgusts disgusting current currency creep checking combining combine college climbing climb city choose choice cheaper credit charges charged changing changes changed change cell caused come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive living loyal location started stranger stopping stopped stop stepdad stealing stay starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber something talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription son someone their scaling service series sense selection seen seems secure second scales servicio saving save same run rule rotating rising risen services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several thats there locations way whats what were went well weeks week we waste while was warrant wants wanted want waiting wait vs where who value would youll yet years yearly year yall ya wouldn worth why workable wont won without with willing will wife virtue vaccine these times town tooo too told today to tired tipped tightening tried tight throughout through this think things thing they tracking try ut until using uses used us upward upping upcoming up unnecessary trying unfortunately unfair unemployed understand under unable two twice rise ripped right nonsense offset offered offer of now notified nothing not nonesence ok non no nice next news newest new needed often once must original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday need multiple return loyalty married market manservices making makes make made luck your maybe lower lost losing loose looking longer long lol may me much mom moving move more monthly month money monetary moment mistake means mind might merge memberships membership members member medical owner owning pagos raising reason really reality reactivate re rather rates rate raises recently raise quickly quality putting put pushed provider profits recent recession parent reside retiring
Topic 43 | Coherence=-215168.68 | Top words= hikes subscription too it many an not have subscriptions compromised your charging that ill was extra after just do share past because option allowed bank card told few over greedy automatically also charged people times lol absurd company in but think disappointed often little guys gf getting get gas garbage limiting hackednot hacking games future fuel from frequent free forth hacked girl give got greed great live grandkids gouging gotten good given gonna gone going goes forever go keeping living forcing expected fair fact face location extortion expensive expenses everything fan every even euro especially entertainment entertaining enough family far half financially for food focused flat fixed fix first financial fault finally fiance ll feet fees feel fee had hand limited increases into interested instead inflation increments increasses increasing increased intolerable increase income last improvements im later if laid iny keeps itself keep justify kept joint join job jacking its is kidding issues kids issue isnt isn lack idea layoff learning let her help health he lesser having havent has husband letting hardly life hard like limit happy high emails less higher hungry huge leave how households household house hosehold horrible holder history hiking left legacy hike end youre email benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming became be barely back bill billings elsewhere by care cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit awhile away aunt addition agree againlater again afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance about alarming all allow almost as aren are apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am already cared caring caused decisions discontinue direction different differences didnt deteriorated delivering declined death customers deal days day daughter date damn dad cutting disgusting disgusts divorce doesnt else eliminating el edge easily earlier each duplicate due drive locations drain down double dont done don cut customer cell choose coming come combining combine college climbing climb city choice currently checking cheaper charges charge changing changes changed change compared competitive connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating drastically loyal long longer stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber temporarily their the thats thanks thank than terrible temporary taste subscribers talk taking take system switching support summer success son something someone scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short she sharing shady several settled there these they weeks while where when whats what were went well week why we way waste warrant wants wanted want waiting who wife vs wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing wait virtue thing to twice trying try tried tracking town tooo today tired unable tipped time tightening tight throughout through this things two under value upward vaccine ut using uses users used use us upping understand upcoming up until unneeded unnecessary unfortunately unfair unemployed risen rise ripped nonsense offset offered offer off of now notified nothing nonesence on non no nice next news newest new never ok once need other owning owner own overpriced outside out our others original one or options opportunity opening opened ontario only oneday needed my parent makes means me maybe may married market manservices making make member made luck loyalty lower lost losing loose looking medical members must month multiple much moving moved move more months monthly money membership monetary moment mom mistake mind might merge memberships pagos parents right re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing put restart ridiculous return
Topic 44 | Coherence=-216601.40 | Top words= money when don like paying that about using increase want my bill outside limit states subscription news you family of power share have even multiple cannot kids get fair people stopped billings users keep what got going frequent hackednot hacked from fuel future games guys greedy garbage gonna gas greed gone getting great good gf free gouging gotten girl give given go goes grandkids fixed forth especially extra extortion expensive expenses expected everything every euro entertainment fact entertaining enough end emails email elsewhere else eliminating face fan forever financially forcing for food focused flat had fix first financial far finally fiance few feet fees feel fee fault hacking youre half itself keeps keeping justify just joint join job jacking its interested it issues issue isnt isn is iny intolerable kept kidding lack laid living live little limiting limited life letting let lesser less legacy left leave learning layoff later last into instead hand help holder history hiking hikes hike higher high her health inflation he having edge havent has hardly hard happy horrible hosehold house household increments increasses increasing increases increased income in improvements im ill if idea husband hungry huge how households el drain easily cant between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically aunt bf biannually biased budget canceling cancel can bye by but business buggin broke biden break boyfriend both blindly bit bills billing biggest at as aren addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all are and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cancelling card earlier care delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current currency creep deteriorated didnt differences dont each duplicate due drive drastically location down double done different doesnt do divorce disgusts disgusting discontinue disappointed direction credit covid courtesy charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine country constant costs cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come ll loyal locations start stranger stopping stop stepdad stealing stay starting started squeeze sub spouses spouse spending spend span sorry soon son stupid subscriber someone taste the thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions something some there scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she sharing shady several settled set their these ripped way where whats were went well weeks week we waste who was warrant wants wanted waiting wait vs virtue while why vaccine would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will value ut they times town tooo too told today to tired tipped time tried tightening tight throughout through this think things thing tracking try uses unneeded used use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice rise right lol nonsense offset offered offer off now notified nothing not nonesence ok non no nice next newest new never needed often on must or own overpriced over out our others other original options once option opportunity opening opened ontario only oneday one need much owning luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moving mom moved move more months monthly month monetary moment mistake means mind might merge memberships membership members member medical owner pagos ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pushed respect return retiring
 94%|█████████▍| 45/48 [3:07:58<19:44, 394.74s/it]
Topic 45 | Coherence=-222302.60 | Top words= are charging extra you me prices your raising charge people kept services cheaper my only if reason using out without was when now gonna to college going that better it ut she because or youre im even improvements differences any for grandkids taste profits cant business kidding declined how biased charges politically constantly isnt forth from frequent free forever future forcing less lesser food focused fuel garbage games goes leave gotten got good left gone legacy go let given give girl gf getting get gas flat fix fixed expected fact face limited limiting extortion expensive expenses everything learning every little euro especially entertainment entertaining enough fair family fan far first letting financially life financial finally fiance like few feet fees feel fee fault limit gouging greed great increase in job join ill joint just idea husband hungry huge justify keep households household house income increased layoff jacking issue issues its is iny intolerable into interested instead inflation increments itself increasses increasing increases hosehold horrible holder history hardly hard happy hand half laid had last later hacking hackednot hacked guys greedy isn lack kids has her hiking hikes hike keeping higher high help have health he keeps emails having havent end drastically email becoming bf between benefits benefit being begin before been became biden be barely bank back awhile away automatically aunt biannually biggest card budget cancelling canceling cancel can bye by but buggin broke bill break boyfriend both blindly bit bills billings billing at as aren adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore anticonsumer another annually and an amounts amount amercian am also already almost allowed allow cannot care elsewhere death discontinue disappointed direction different didnt deteriorated delivering decisions deal disgusts days day daughter date damn dad cutting cut disgusting divorce cared due else eliminating el edge easily earlier each duplicate drive do living drain down double dont done don doesnt customers customer currently choice coming come combining combine climbing climb city choose checking current charged changing changes changed change cell caused caring company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected live loyal ll starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son talk the thats thanks thank than terrible temporary temporarily taking subscribers take system switching support summer success subscriptions subscription soon something rise scaling series sense selection seen seems see secure second scales servicio saving save same run rules rule rotating rising service set someone sight some so situation single since significant signaling sign sick settled shoves shouldn should short sharing share shady several their there these way whats what were went well weeks week we waste while warrant wants wanted want waiting wait vs virtue where who they would youll yet years yearly year yall ya wouldn worth why workable work wont won with willing will wife value vaccine uses times tracking town tooo too told today tired tipped time users tightening tight throughout through this think things thing tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two risen ripped location no off of notified nothing not nonsense nonesence non nice offered next news newest new never needed need must offer offset much option overpriced over outside our others other original options opportunity often opening opened ontario oneday one once on ok multiple moving right loyalty market many manservices making makes make made luck lower may lost losing loose looking longer long lol locations married maybe moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical own owner owning rather rectifying recession recently recent really reality reactivate re rates reduce rate raises raised raise quickly quality putting put redo reducing pagos restart ridiculous
Average topic coherence for the top words is -219782.0906593396
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.18it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.19it/s]
  6%|▌         | 3/50 [00:00<00:09,  5.19it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.17it/s]
 10%|█         | 5/50 [00:00<00:08,  5.20it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.19it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.21it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.22it/s]
 18%|█▊        | 9/50 [00:01<00:07,  5.22it/s]
 20%|██        | 10/50 [00:01<00:07,  5.23it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.21it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.20it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.19it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.20it/s]
 30%|███       | 15/50 [00:02<00:06,  5.20it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.19it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.19it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.17it/s]
 38%|███▊      | 19/50 [00:03<00:05,  5.18it/s]
 40%|████      | 20/50 [00:03<00:05,  5.18it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.19it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.17it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.20it/s]
 48%|████▊     | 24/50 [00:04<00:05,  5.17it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.14it/s]
 52%|█████▏    | 26/50 [00:05<00:04,  5.17it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.16it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.16it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.17it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.17it/s]
 62%|██████▏   | 31/50 [00:05<00:03,  5.18it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.18it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.19it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.19it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.20it/s]
 72%|███████▏  | 36/50 [00:06<00:02,  5.19it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.18it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.17it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.20it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.19it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.18it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.18it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.17it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.16it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.17it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.17it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.18it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.18it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.16it/s]
100%|██████████| 50/50 [00:09<00:00,  5.18it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.29it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.31it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.34it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.35it/s]
 10%|█         | 5/50 [00:00<00:07,  6.38it/s]
 12%|█▏        | 6/50 [00:00<00:06,  6.40it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.41it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.41it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.42it/s]
 20%|██        | 10/50 [00:01<00:06,  6.42it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.43it/s]
 24%|██▍       | 12/50 [00:01<00:05,  6.40it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.41it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.40it/s]
 30%|███       | 15/50 [00:02<00:05,  6.44it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.43it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.43it/s]
 36%|███▌      | 18/50 [00:02<00:04,  6.42it/s]
 38%|███▊      | 19/50 [00:02<00:04,  6.42it/s]
 40%|████      | 20/50 [00:03<00:04,  6.43it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.42it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.42it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.42it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.43it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.42it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.41it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.41it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.41it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.42it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.41it/s]
 62%|██████▏   | 31/50 [00:04<00:02,  6.40it/s]
 64%|██████▍   | 32/50 [00:04<00:02,  6.41it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.42it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.37it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.31it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.34it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.35it/s]
 76%|███████▌  | 38/50 [00:05<00:01,  6.38it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.38it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.39it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.42it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.42it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.39it/s]
 88%|████████▊ | 44/50 [00:06<00:00,  6.37it/s]
 90%|█████████ | 45/50 [00:07<00:00,  6.37it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.38it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.39it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.41it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.42it/s]
100%|██████████| 50/50 [00:07<00:00,  6.40it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.40it/s]
  4%|▍         | 2/50 [00:00<00:14,  3.40it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.40it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.41it/s]
 10%|█         | 5/50 [00:01<00:13,  3.42it/s]
 12%|█▏        | 6/50 [00:01<00:12,  3.42it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.42it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.43it/s]
 18%|█▊        | 9/50 [00:02<00:11,  3.42it/s]
 20%|██        | 10/50 [00:02<00:11,  3.39it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.40it/s]
 24%|██▍       | 12/50 [00:03<00:11,  3.41it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.41it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.42it/s]
 30%|███       | 15/50 [00:04<00:10,  3.43it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.42it/s]
 34%|███▍      | 17/50 [00:04<00:09,  3.43it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.43it/s]
 38%|███▊      | 19/50 [00:05<00:08,  3.45it/s]
 40%|████      | 20/50 [00:05<00:08,  3.44it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.44it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.43it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.43it/s]
 48%|████▊     | 24/50 [00:07<00:07,  3.44it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.45it/s]
 52%|█████▏    | 26/50 [00:07<00:06,  3.44it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.42it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.41it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.42it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.42it/s]
 62%|██████▏   | 31/50 [00:09<00:05,  3.42it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.42it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.42it/s]
 68%|██████▊   | 34/50 [00:09<00:04,  3.43it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.42it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.43it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.42it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.43it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.44it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.45it/s]
 82%|████████▏ | 41/50 [00:11<00:02,  3.45it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.45it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.45it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.45it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.41it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.42it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.42it/s]
 96%|█████████▌| 48/50 [00:14<00:00,  3.43it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.44it/s]
100%|██████████| 50/50 [00:14<00:00,  3.43it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.64it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.65it/s]
  6%|▌         | 3/50 [00:01<00:17,  2.64it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.64it/s]
 10%|█         | 5/50 [00:01<00:17,  2.65it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.64it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.64it/s]
 16%|█▌        | 8/50 [00:03<00:15,  2.63it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.63it/s]
 20%|██        | 10/50 [00:03<00:15,  2.61it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.62it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.63it/s]
 26%|██▌       | 13/50 [00:04<00:14,  2.64it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.64it/s]
 30%|███       | 15/50 [00:05<00:13,  2.64it/s]
 32%|███▏      | 16/50 [00:06<00:12,  2.64it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.65it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.65it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.65it/s]
 40%|████      | 20/50 [00:07<00:11,  2.65it/s]
 42%|████▏     | 21/50 [00:07<00:10,  2.65it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.64it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.63it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.62it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.63it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.64it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.65it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.65it/s]
 58%|█████▊    | 29/50 [00:10<00:07,  2.65it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.65it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.65it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.64it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.64it/s]
 68%|██████▊   | 34/50 [00:12<00:06,  2.64it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.64it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.64it/s]
 74%|███████▍  | 37/50 [00:14<00:04,  2.64it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.63it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.64it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.64it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.64it/s]
 84%|████████▍ | 42/50 [00:15<00:03,  2.65it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.65it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.65it/s]
 90%|█████████ | 45/50 [00:17<00:01,  2.65it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.64it/s]
 94%|█████████▍| 47/50 [00:17<00:01,  2.64it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.64it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.63it/s]
100%|██████████| 50/50 [00:18<00:00,  2.64it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:28,  1.71it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.72it/s]
  6%|▌         | 3/50 [00:01<00:27,  1.73it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.74it/s]
 10%|█         | 5/50 [00:02<00:25,  1.74it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.74it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.74it/s]
 16%|█▌        | 8/50 [00:04<00:24,  1.73it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.74it/s]
 20%|██        | 10/50 [00:05<00:23,  1.73it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.73it/s]
 24%|██▍       | 12/50 [00:06<00:21,  1.74it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.74it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.74it/s]
 30%|███       | 15/50 [00:08<00:20,  1.74it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.74it/s]
 34%|███▍      | 17/50 [00:09<00:18,  1.74it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.74it/s]
 38%|███▊      | 19/50 [00:10<00:17,  1.73it/s]
 40%|████      | 20/50 [00:11<00:17,  1.73it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.73it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.73it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.74it/s]
 48%|████▊     | 24/50 [00:13<00:14,  1.74it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.74it/s]
 52%|█████▏    | 26/50 [00:14<00:13,  1.74it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.74it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.73it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.73it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.74it/s]
 62%|██████▏   | 31/50 [00:17<00:10,  1.73it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.73it/s]
 66%|██████▌   | 33/50 [00:19<00:09,  1.73it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.73it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.73it/s]
 72%|███████▏  | 36/50 [00:20<00:08,  1.73it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.73it/s]
 76%|███████▌  | 38/50 [00:21<00:06,  1.73it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.73it/s]
 80%|████████  | 40/50 [00:23<00:05,  1.73it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.74it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.73it/s]
 86%|████████▌ | 43/50 [00:24<00:04,  1.74it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.74it/s]
 90%|█████████ | 45/50 [00:25<00:02,  1.74it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.73it/s]
 94%|█████████▍| 47/50 [00:27<00:01,  1.73it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.73it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.73it/s]
100%|██████████| 50/50 [00:28<00:00,  1.73it/s]

100%|██████████| 50/50 [00:00<00:00, 1428.70it/s]
Topic 0 | Coherence=-221428.17 | Top words= price increase is the for not to willing pay it year but every are last am when added after support high seems nothing think ok really can paying options raising something afford great good being too ridiculous way customer since re became horrible charge loyal why won justify absurd opportunity was member because higher from original between in acceptance of fair fuel currently platform hacked blindly shouldn living allow gonna going free forth frequent legacy forever gone learning given future games give gas get goes forcing getting left leave gf go girl garbage its less expenses family fact face extra letting extortion expensive expected food everything life even euro especially entertainment entertaining fan far fault fee focused flat fixed layoff lesser first financially financial let finally fiance few feet fees feel fix guys got hosehold join income joint improvements im ill if idea just husband hungry huge how households household increased increases job iny issues issue isnt itself isn jacking intolerable increasing into interested instead inflation increments increasses house holder gotten keep lack hardly hard laid happy hand half had hacking hackednot greedy greed later grandkids gouging has have havent kidding keeping keeps history hiking kept hikes hike having kids her end help health he enough dont emails bf bills billings billing bill biggest biden biased biannually better back benefits benefit begin before been becoming be barely bit both boyfriend break cell caused caring cared care card cant cannot cancelling canceling cancel bye by business buggin budget broke bank awhile changed addresses allowed all alarming agree againlater again adicional addtional additional away addition adding activities acct accounts account access about almost already also amercian automatically aunt at as aren apps aparently anyways anymore any anticonsumer another annually and an amounts amount change changes email deteriorated disgusts disgusting discontinue disappointed direction different differences didnt delivering dad declined decisions death deal days day daughter date divorce do doesnt don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double limit done damn cutting changing climbing competitive compared company coming come combining combine college climb cut city choose choice checking cheaper charging charges charged compromised connected consider consolidating customers current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant like youre limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid return taking thanks thank than terrible temporary temporarily taste talk take sub system switching summer success subscriptions subscription subscribers subscriber someone some so save selection seen see secure second scaling scales saving same situation run rules rule rotating rising risen rise ripped sense series service services single significant signaling sign sight sick shoves should short she sharing share shady several settled set servicio that thats their warrant what were went well weeks week we waste wants using wanted want waiting wait vs virtue value vaccine whats where while who youll you yet years yearly yall ya wouldn would worth workable work wont without with will wife ut uses there time tracking town tooo told today tired tipped times tightening users tight throughout through this things thing they these tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right retiring limiting needed non no nice next news newest new never need nonsense my must multiple much moving moved move more nonesence notified retired only our others other or option opening opened ontario oneday now one once on often offset offered offer off months monthly month loose make made luck loyalty your lower lost losing looking money longer long lol locations location ll live little makes making manservices many monetary moment mom mistake mind might merge memberships membership members medical means me maybe may married market out outside over raised recent reason reality reactivate rather rates rate raises raise problem quickly quality putting put pushed provider profits profit recently recession rectifying redo
Topic 1 | Coherence=-226027.62 | Top words= and price sharing subscription increase extra of you with no hikes people my your will an charge if bye im how their tracking they limited recent talk not support the parents future longer profiles issues access expected family hike more stopping won subscriptions newest paying kidding dad charges allow customer retiring gotten greed got games fuel garbage from good gouging gas great getting gf grandkids gonna girl give given gone going go goes get flat frequent even fair fact face extortion expensive expenses everything every euro free especially entertainment entertaining enough end emails email elsewhere fan far fault fee forth forever forcing for food focused fixed fix first financially financial finally fiance few feet fees feel greedy have guys keeping justify just joint join job jacking itself its it issue isnt isn is iny intolerable into interested keep keeps hacked kept limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids instead inflation increments increasses high her help health he having havent eliminating has hardly hard happy hand half had hacking hackednot higher hiking history idea increasing increases increased income in improvements ill husband holder hungry huge households household house hosehold horrible else youre el before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically budget cancelling canceling cancel can by but business buggin broke bill break boyfriend both blindly bit bills billings billing away aunt cant addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all at anticonsumer as aren are apps aparently anyways anymore any another allowed annually amounts amount amercian am also already almost cannot card edge days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn cutting cut customers currently current different disappointed creep limiting easily earlier each duplicate due drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting currency credit care charging college climbing climb city choose choice checking cheaper charged combining changing changes changed change cell caused caring cared combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company down loyal little spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stranger these taste thats that thanks thank than terrible temporary temporarily taking stupid take system switching summer success subscribers subscriber sub some so situation saving selection seen seems see secure second scaling scales save single same run rules rule rotating rising risen rise sense series service services since significant signaling sign sight sick shoves shouldn should short she share shady several settled set servicio there thing right waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where things would youll yet years yearly year yall ya wouldn worth while workable work wont without willing wife why who value vaccine ut tired try tried town tooo too told today to tipped using times time tightening tight throughout through this think trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped ridiculous live next off now notified nothing nonsense nonesence non nice news offered new never needed need must multiple much moving offer offset over opportunity out our others other original or options option opening often opened ontario only oneday one once on ok moved move months lost manservices making makes make made luck loyalty lower losing monthly loose looking long lol locations location ll living many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe outside overpriced return raising reason really reality reactivate re rather rates rate raises recession raised raise quickly quality putting put pushed provider recently rectifying own reside retired
Topic 2 | Coherence=-228488.99 | Top words= charging many extra greedy price the share your hikes to subscriptions you also past few fan way years money not over because of for me cant newest raising hike prices my an customer some into success with without put stop stay losing grandkids waste got yet ya repurposing give girl end getting gf given get enough gas garbage games entertaining emails fair go goes going gone gonna good email gotten elsewhere gouging great else greed eliminating entertainment from future even everything finally fiance expected feet fees feel fee fault expenses far expensive extortion family face every financial fuel financially fact frequent free forth especially forever forcing euro food focused flat fixed fix first guys youre have hacked it justify just joint join job jacking itself its issues hackednot issue isnt isn is iny intolerable interested instead keep keeping keeps kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding inflation increments increasses holder hiking higher high her help health he having havent has hardly hard happy hand half had hacking history horrible increasing hosehold increases increased increase income in improvements im ill if idea husband hungry huge how households household house el double edge cannot biannually bf between better benefits benefit being begin before been becoming became be barely bank back awhile away automatically biased biden biggest budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another and all amounts amount amercian am already almost allowed allow cancelling card easily care didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers currently current currency differences different direction limited earlier each duplicate due drive drastically drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue creep credit covid charged climbing climb city choose choice checking cheaper charges charge combine changing changes changed change cell caused caring cared college combining courtesy constantly country costs cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming limit loyal limiting spouses stopped stepdad stealing states starting started start squeeze spouse stranger spending spend span sorry soon son something someone stopping stupid ridiculous talk that thanks thank than terrible temporary temporarily taste taking sub take system switching support summer subscription subscribers subscriber so situation single save seen seems see secure second scaling scales saving same since run rules rule rotating rising risen rise ripped selection sense series service significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio services thats their there wants were went well weeks week we was warrant wanted uses want waiting wait vs virtue value vaccine ut what whats when where youll yearly year yall wouldn would worth workable work wont won willing will wife why who while using users these time town tooo too told today tired tipped times tightening used tight throughout through this think things thing they tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right return little nice off now notified nothing nonsense nonesence non no next offered news new never needed need must multiple much offer offset retiring opportunity out our others other original or options option opening often opened ontario only oneday one once on ok moving moved move loose making makes make made luck loyalty lower lost looking more longer long lol locations location ll living live manservices market married may months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe outside overpriced own rate recent reason really reality reactivate re rather rates raises profiles raised raise quickly quality putting pushed provider profits recently recession rectifying redo
Topic 3 | Coherence=-209613.25 | Top words= and on in money me because from costs years stealing been fuel havent keep entertainment having yall rise other back with cut the inflation rising get gas food recession feet blindly got payment original double much household few going end goes go fact gonna given give enough girl gf getting entertaining gone emails good garbage gotten gouging grandkids great greed greedy guys hacked email elsewhere hackednot hacking had especially future games euro fix first financially financial finally fiance fees extra feel fee face fault far fan family fixed extortion flat forth fair even every frequent free everything expected focused expenses forever forcing for expensive hand half youre happy just laid lack kids kidding kept keeps keeping justify joint isn join job jacking itself its it issues issue last later layoff learning location ll living live little limiting limited limit like life letting let lesser less legacy left leave isnt is hard higher house hosehold horrible holder history hiking hikes hike high iny her help eliminating health he have has hardly households how huge hungry intolerable into interested instead increments increasses increasing increases increased increase income improvements im ill if idea husband else due el edge biased biannually bf between better benefits benefit being begin before becoming became be barely bank awhile away automatically aunt biden biggest bill business cannot cancelling canceling cancel can bye by but buggin billing budget broke break boyfriend both bit bills billings at as aren adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cant card care day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting customers customer currently current differences direction creep down easily earlier each duplicate lol drive drastically drain dont disappointed done don doesnt do divorce disgusts disgusting discontinue currency credit cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining covid constantly courtesy country cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming locations loyal long they subscriber sub stupid stranger stopping stopped stop stepdad stay states starting started start squeeze spouses spouse spending spend span subscribers subscription subscriptions temporary there their thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer sorry soon son see servicio services service series sense selection seen seems secure settled second scaling scales saving save same run rules set several something sign someone some so situation single since significant signaling sight shady sick shoves shouldn should short she sharing share these thing longer things whats what were went well weeks week we way waste was warrant wants wanted want waiting wait vs virtue when where while worth youll you yet yearly year ya wouldn would workable who work wont won without willing will wife why value vaccine ut tired tried tracking town tooo too told today to tipped trying times time tightening tight throughout through this think try twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable rule rotating risen ripped often offset offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new ok once one our pagos owning owner own overpriced over outside out others oneday or options option opportunity opening opened ontario only never needed need make maybe may married market many manservices making makes made medical luck loyalty your lower lost losing loose looking means member my month must multiple moving moved move more months monthly monetary members moment mom mistake mind might merge memberships membership parent parents passed re redo rectifying recently recent reason really reality reactivate rather reducing rates rate raising raises raised raise quickly quality reduce reflect put restrict right ridiculous
Topic 4 | Coherence=-226282.66 | Top words= you and your be will canceling subscription my am why access checking luck increments good too now price many greed is where in to we different two that me the live cancel want use since mom on places restrict won membership both able addresses fee really keep popular series wants boyfriend garbage flat opening broke raise opportunity thank households hacked first fan get getting even gf euro girl fault give given especially entertainment entertaining go goes going gone gonna enough feel few got end gotten gouging grandkids great emails greedy guys every fiance everything forever family fair fix fixed financially fact financial focused face extra food for forcing extortion far forth free expensive frequent from fuel finally future games feet gas expenses expected fees her hackednot hacking joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation just justify keeping learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept increasses increasing increases havent higher high elsewhere help health he having have hikes has hardly hard happy hand half had hike hiking increased husband increase income improvements im ill if idea hungry history huge how household house hosehold horrible holder email dont else begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank back awhile biden bill automatically by cared care card cant cannot cancelling can bye but billing business buggin budget break blindly bit bills billings away aunt eliminating addition agree againlater again after afford adicional addtional additional adding all added activities acct accounts account acceptance absurd about alarming allow at anticonsumer as aren are apps aparently anyways anymore any another allowed annually an amounts amount amercian also already almost caring caused cell deal direction differences didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting change drastically el edge easily earlier each duplicate due drive drain disgusts down double like done don doesnt do divorce customer currently current choose coming come combining combine college climbing climb city choice currency cheaper charging charges charged charge changing changes changed company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected life youre limit spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stop stopped stopping temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid stranger so single than same seems see secure second scaling scales saving save run significant rules rule rotating rising risen rise ripped right seen selection sense service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services terrible thanks return was what were went well weeks week way waste warrant uses wanted waiting wait vs virtue value vaccine ut whats when while who youll yet years yearly year yall ya wouldn would worth workable work wont without with willing wife using users thats throughout told today tired tipped times time tightening tight through used this think things thing they these there their tooo town tracking tried us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying try ridiculous retiring limited next notified nothing not nonsense nonesence non no nice news moved newest new never needed need must multiple much of off offer offered out our others other original or options option opened ontario only oneday one once ok often offset moving move over looking makes make made loyalty lower lost losing loose longer more long lol locations location ll living little limiting making manservices market married months monthly month money monetary moment mistake mind might merge memberships members member medical means maybe may outside overpriced retired raises reason reality reactivate re rather rates rate raising raised problem quickly quality putting put pushed provider profits profit recent recently recession rectifying
Topic 5 | Coherence=-215840.70 | Top words= increasing prices keep it long time for we rates at subscriber customer like only feel is alarming loyalty no there will and going lost with damn yall mind these being to decisions vaccine support job stop me what be even done gas garbage from games get fuel frequent future youre go getting gotten hackednot hacked guys greedy greed great grandkids gouging got gf good gonna gone goes forth given give girl free financial forever forcing face extra extortion expensive expenses expected everything every euro especially entertainment entertaining enough end emails email elsewhere fact fair family had food focused flat fixed fix first financially finally fan fiance few feet fees fee fault far hacking high half kids kept keeps keeping justify just joint join jacking itself its issues issue isnt isn iny intolerable into kidding lack instead laid live little limiting limited limit life letting let lesser less legacy left leave learning layoff later last interested inflation hand horrible history hiking hikes hike higher eliminating her help health he having havent have has hardly hard happy holder hosehold increments house increasses increases increased increase income in improvements im ill if idea husband hungry huge how households household else double el before biased biannually bf between better benefits benefit begin been biggest becoming because became barely bank back awhile away biden bill aunt buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically as cant adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cannot card edge daughter didnt deteriorated delivering declined death deal days day date different dad cutting cut customers currently current currency creep differences direction covid down easily earlier each duplicate due drive drastically drain ll disappointed dont don doesnt do divorce disgusts disgusting discontinue credit courtesy care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine country constant costs cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come living loyal location spouse stealing stay states starting started start squeeze spouses spending stopped spend span sorry soon son something someone some stepdad stopping situation take thank than terrible temporary temporarily taste talk taking system stranger switching summer success subscriptions subscription subscribers sub stupid so single that save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services thanks thats locations was whats were went well weeks week way waste warrant where wants wanted want waiting wait vs virtue value when while using would youll you yet years yearly year ya wouldn worth who workable work wont won without willing wife why ut uses the tightening town tooo too told today tired tipped times tight tried throughout through this think things thing they their tracking try users unneeded used use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice right ridiculous return not offset offered offer off of now notified nothing nonsense ok nonesence non nice next news newest new never often on need original own overpriced over outside out our others other or once options option opportunity opening opened ontario oneday one needed my retiring make maybe may married market many manservices making makes made medical luck your lower losing loose looking longer lol means member must month multiple much moving moved move more months monthly money members monetary moment mom mistake might merge memberships membership owner owning pagos raising recent reason really reality reactivate re rather rate raises recession raised raise quickly quality putting put pushed provider recently rectifying parent reside retired
Topic 6 | Coherence=-220786.46 | Top words= the and to be going it of want this different is am moved my when about up just on country currency again will was keeps location income fixed amount current start changed times started us there membership using fee addition afford non retired few redo another spend added need becoming come charge kids makes go gas gotten garbage greedy games future got hacked hackednot gonna guys get greed getting gf gone girl give gouging grandkids given great goes good youre fuel expenses fan family fair fact face extra extortion expensive expected from everything every even euro especially entertainment entertaining enough far fault feel fees frequent free forth forever forcing for food focused flat had fix first financially financial finally fiance feet hacking hiking half inflation keeping keep justify joint join job jacking itself its issues issue isnt isn iny intolerable into interested kept kidding lack lesser limiting limited limit like life letting let less laid legacy left leave learning layoff later last instead increments hand increasses history emails hikes hike higher high her help health he having havent have has hardly hard happy holder horrible hosehold ill increasing increases increased increase in improvements im if house idea husband hungry huge how households household end dont email between billings billing bill biggest biden biased biannually bf better bank benefits benefit being begin before been because became bills bit blindly both care card cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend barely back elsewhere addresses allow all alarming agree againlater after adicional addtional additional awhile adding activities acct accounts account access acceptance absurd allowed almost already also away automatically aunt at as aren are apps aparently anyways anymore any anticonsumer annually an amounts amercian cared caring caused declined disgusting discontinue disappointed direction differences didnt deteriorated delivering decisions cell death deal days day daughter date damn dad disgusts divorce do doesnt else eliminating el edge easily earlier each duplicate due drive drastically drain down double live done don cutting cut customers compared coming combining combine college climbing climb city choose choice checking cheaper charging charges charged changing changes change company competitive customer compromised currently creep credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected little loyal living spouse stop stepdad stealing stay states starting squeeze spouses spending stopping span sorry soon son something someone some so stopped stranger single system than terrible temporary temporarily taste talk taking take switching stupid support summer success subscriptions subscription subscribers subscriber sub situation since ll same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense significant she signaling sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services service thank thanks that we where whats what were went well weeks week way who waste warrant wants wanted waiting wait vs virtue while why thats wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing value vaccine ut tightening town tooo too told today tired tipped time tight uses throughout through think things thing they these their tracking tried try trying users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ridiculous return retiring nonesence offered offer off now notified nothing not nonsense no often nice next news newest new never needed must offset ok owner or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one multiple much moving your market many manservices making make made luck loyalty lower move lost losing loose looking longer long lol locations married may maybe me more months monthly month money monetary moment mom mistake mind might merge memberships members member medical means own owning resume raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent pagos replace resubscribe
Topic 7 | Coherence=-220917.90 | Top words= have to my pay but subscription bill taste disgusting company me subscriptions is was its not about it different greedy after youre ill automatically are compromised charged told option an because bank wanted credit other without do biannually family extra hacked this think seems consider entertaining and today many options the no taking notified far sign ontario grandkids gonna great greed got hacking gotten good hackednot gf going gouging girl give guys given go gone goes frequent getting fiance feet fees feel fee fault fan fair fact face extortion expensive expenses expected everything every even euro especially entertainment few finally get financial gas garbage games future fuel from half free forth forever forcing for food focused flat fixed fix first financially had her hand interested kept keeps keeping keep justify just joint join job jacking itself issues issue isnt isn iny intolerable kidding kids lack lesser limiting limited limit like life letting let less laid legacy left leave learning layoff later last into instead happy inflation horrible holder history hiking hikes hike higher high end help health he having havent has hardly hard hosehold house household in increments increasses increasing increases increased increase income improvements households im if idea husband hungry huge how enough dont emails benefit billing biggest biden biased bf between better benefits being away begin before been becoming became be barely back billings bills bit blindly care card cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both awhile aunt email addition agree againlater again afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd alarming all allow allowed as aren apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost cared caring caused decisions discontinue disappointed direction differences didnt deteriorated delivering declined death cell deal days day daughter date damn dad cutting disgusts divorce doesnt don elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double live done cut customers customer coming combining combine college climbing climb city choose choice checking cheaper charging charges charge changing changes changed change come compared currently competitive current currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected little loyal living spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping so take that thanks thank than terrible temporary temporarily talk system stranger switching support summer success subscribers subscriber sub stupid some situation ll same seen see secure second scaling scales saving save run sense rules rule rotating rising risen rise ripped right selection series single short since significant signaling sight sick shoves shouldn should she service sharing share shady several settled set servicio services thats their there week where when whats what were went well weeks we who way waste warrant wants want waiting wait vs while why these wouldn youll you yet years yearly year yall ya would wife worth workable work wont won with willing will virtue value vaccine tipped trying try tried tracking town tooo too tired times ut time tightening tight throughout through things thing they twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ridiculous return retiring next off of now nothing nonsense nonesence non nice news offered newest new never needed need must multiple much offer offset owning or own overpriced over outside out our others original opportunity often opening opened only oneday one once on ok moving moved move lower manservices making makes make made luck loyalty your lost more losing loose looking longer long lol locations location market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means owner pagos retired raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession parent repurposing resume
Topic 8 | Coherence=-221004.44 | Top words= for your me and not my it anyways when ut charge sign thank daughter she extra uses re going no college bye in worth good using subscription through provider really am service living with getting connected profits customers keeps kidding cell spouses married of absurd way about fees im forth fuel from frequent free letting gone forever forcing life food focused like grandkids games future given goes gonna lesser got go gotten give let girl less gouging get gas garbage gf first flat every face little extortion expensive expenses expected everything even fixed euro especially entertainment entertaining enough end emails fact fair family fan fix greed financially limit financial limited finally fiance few limiting feet feel fee fault far great hackednot greedy increasing into interested instead inflation increments last increasses increases iny increased increase income later improvements layoff ill intolerable is learning jacking keep justify kept just joint join job itself isn its kids lack laid issues issue isnt if idea guys happy he having havent have has hardly hard hand health half left had hacking legacy keeping hacked elsewhere help husband leave hungry huge how households household house hosehold horrible her holder history hiking hikes hike higher high email youre else begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away buggin cannot cancelling canceling cancel can by but business budget billing broke break boyfriend both blindly bit bills billings awhile automatically eliminating additional agree againlater again after afford adicional addtional addresses addition all adding added activities acct accounts account access acceptance alarming allow aunt anticonsumer at as aren are apps aparently anymore any another allowed annually an amounts amount amercian also already almost cant card care death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day date damn dad cutting cut customer disappointed disgusting cared drastically el edge easily earlier each duplicate due drive drain disgusts down live dont done don doesnt do divorce currently current currency cheaper combining combine climbing climb city choose choice checking charging creep charges charged changing changes changed change caused caring come coming company compared credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider compromised competitive double loyal ll started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouse spending spend span sorry soon son stranger sub someone talk thats that thanks than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers something some location save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series so shouldn situation single since significant signaling sight sick shoves should services short sharing share shady several settled set servicio the their there waste whats what were went well weeks week we was while warrant wants wanted want waiting wait vs virtue where who these wouldn youll you yet years yearly year yall ya would why workable work wont won without willing will wife value vaccine users times town tooo too told today to tired tipped time used tightening tight throughout this think things thing they tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice right ridiculous return non offered offer off now notified nothing nonsense nonesence nice often next news newest new never needed need must offset ok own options over outside out our others other original or option on opportunity opening opened ontario only oneday one once multiple much moving loyalty market many manservices making makes make made luck lower moved lost losing loose looking longer long lol locations may maybe means medical move more months monthly month money monetary moment mom mistake mind might merge memberships membership members member overpriced owner retiring raises recent reason reality reactivate rather rates rate raising raised recession raise quickly quality putting put pushed profit profiles recently rectifying owning reside retired
Topic 9 | Coherence=-215277.13 | Top words= your you prices greedy terrible addition pricing keep of sharing charges is increasing will company but pay rejoin tired every moving with subscribers playing get games once settled later at service opportunity temporarily replace even cancelling business out country re cheaper caring higher kidding guys garbage gas emails getting gf girl end give gone future go greed great goes going grandkids gouging gotten got good gonna given euro fuel few fees feel fee fault far fan entertainment family fair fact face extra extortion expensive expenses expected everything feet fiance from finally frequent free forth forever especially for food focused flat hacked enough fixed fix entertaining first financially financial forcing youre hackednot it justify just joint join job jacking itself its issues keeps issue isnt isn iny intolerable into interested instead keeping kept hacking lesser little limiting limited limit like life letting let less kids legacy left leave learning layoff last laid lack inflation increments increasses havent hikes hike high her help health he having have increases has elsewhere hardly hard happy hand half had hiking history holder horrible increased increase income in improvements im ill if idea husband hungry huge how households household house hosehold email drastically else eliminating bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biannually biased biden broke cannot canceling cancel can bye by buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as aren adding againlater again after afford adicional addtional addresses additional added alarming activities acct accounts account access acceptance absurd about agree all are and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cant card care death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting customer living el edge easily earlier each duplicate due drive drain disgusts down double dont done don doesnt do divorce customers currently cared checking combining combine college climbing climb city choose choice charging coming charged charge changing changes changed change cell caused come compared current continues currency creep credit covid courtesy costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised live loyal ll states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscription soon temporary there their the thats that thanks thank than taste subscriptions talk taking take system switching support summer success sorry son they scaling series sense selection seen seems see secure second scales servicio saving save same run rules rule rotating rising services set something sign someone some so situation single since significant signaling sight several sick shoves shouldn should short she share shady these thing location way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while value would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing wife why virtue vaccine things to try tried tracking town tooo too told today tipped twice times time tightening tight throughout through this think trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under risen rise ripped nice now notified nothing not nonsense nonesence non no next offer news newest new never needed need my must off offered much option over outside our others other original or options opening offset opened ontario only oneday one on ok often multiple moved right loyalty market many manservices making makes make made luck lower may lost losing loose looking longer long lol locations married maybe move mistake more months monthly month money monetary moment mom mind me might merge memberships membership members member medical means overpriced own owner rate recently recent reason really reality reactivate rather rates raising rectifying raises raised raise quickly quality putting put pushed recession redo owning restart ridiculous
Topic 10 | Coherence=-218694.23 | Top words= it you use the my in just can as time many moved months by last see enough too never do expensive don warrant cost raising possible declined not raised high phone customers trying hungry often gonna great greed greedy games gas future guys fuel from hacked hackednot garbage get grandkids gone getting gf girl gouging gotten got give good given frequent go goes going emails fixed free fee far fan family fair fact face extra extortion expenses expected everything every even euro especially entertainment entertaining fault feel forth fees forever forcing for food focused flat end had fix first financially financial finally fiance few email feet hacking youre half job kidding kept keeps keeping keep justify joint join jacking into itself its issues issue isnt isn is iny kids lack laid later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff intolerable interested hand else holder history hiking hikes hike higher her help health instead he having havent have has hardly hard happy horrible hosehold house household inflation increments increasses increasing increases increased increase income improvements im ill if idea husband huge how households elsewhere drive eliminating cannot between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically aunt bf biannually biased break canceling cancel bye but business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest at aren are adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming apps an aparently anyways anymore any anticonsumer another annually and amounts all amount amercian am also already almost allowed allow cancelling cant el card didnt deteriorated delivering decisions death deal days day daughter date damn dad cutting cut customer currently current currency creep differences different direction drain edge easily earlier each duplicate due location drastically down disappointed double dont done doesnt divorce disgusts disgusting discontinue credit covid courtesy charge city choose choice checking cheaper charging charges charged changing climbing changes changed change cell caused caring cared care climb college country consolidating costs continuous continues continue continually continously constantly constant consider combine connected compromised competitive compared company coming come combining ll loyal locations lol stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry sub subscriber subscribers taste thats that thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions soon son something second services service series sense selection seen seems secure scaling set scales saving save same run rules rule rotating servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady their there these week where when whats what were went well weeks we who way waste was wants wanted want waiting wait while why virtue would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs value they tipped tried tracking town tooo told today to tired times twice tightening tight throughout through this think things thing try two vaccine upcoming ut using uses users used us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rising risen rise nothing ok offset offered offer off of now notified nonsense once nonesence non no nice next news newest new on one need other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only needed must pagos luck may married market manservices making makes make made loyalty me your lower lost losing loose looking longer long maybe means multiple moment much moving move more monthly month money monetary mom medical mistake mind might merge memberships membership members member owning parent ripped reactivate redo rectifying recession recently recent reason really reality re reducing rather rates rate raises raise quickly quality putting reduce reflect pushed restrict right ridiculous
Topic 11 | Coherence=-230328.46 | Top words= too price is the it for keep expensive much prices now no not going worth me service with increases longer good cost are unfortunately upward money way getting value raising has your but up enough vs rising everything amount cant using to life other given else better thanks so increased offered later isnt maybe hikes my frequent justify second days jacking itself risen right its quickly whats system biggest every biannually less overpriced deal tooo anymore before business secure letting living hungry feet few kept keeps keeping just fiance finally financial financially joint first fix fixed flat feel focused food join forcing forever forth free job from fuel issues future games garbage fees kidding huge expenses email emails end legacy entertaining entertainment especially euro even left leave learning expected layoff kids extortion extra face fact fair last family fan laid lack far fault fee gas get issue isn having increments he increasses health elsewhere her increasing high higher hike increase income in improvements im ill hiking if history holder horrible idea hosehold house household households husband how havent have inflation grandkids gf girl give iny go goes intolerable gone gonna into got gotten gouging interested hardly great greed greedy guys hacked instead hackednot hacking had half hand happy hard help youre eliminating becoming biased bf between benefits benefit being begin been because bill became be barely bank back awhile away automatically biden billing el by care card cannot cancelling canceling cancel can bye buggin billings budget broke break boyfriend both blindly bit bills aunt at as adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways any anticonsumer another annually and an amounts amercian am also already almost allowed allow cared caring caused death direction different differences didnt deteriorated delivering declined decisions day current daughter date damn dad cutting cut customers customer disappointed discontinue disgusting disgusts edge easily earlier each duplicate due drive drastically drain down double dont done don doesnt lesser divorce currently currency cell checking combining combine college climbing climb city choose choice cheaper creep charging charges charged charge changing changes changed change come coming company compared credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive do loyal let spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son something someone stop stopped stopping stranger terrible temporary temporarily taste talk taking take switching support summer success subscriptions subscription subscribers subscriber sub stupid some single like run seen seems see scaling scales saving save same rules since rule rotating rise ripped ridiculous return retiring retired selection sense series services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio than thank that we where when what were went well weeks week waste thats was warrant wants wanted want waiting wait virtue while who why wife youll you yet years yearly year yall ya wouldn would workable work wont won without willing will vaccine ut uses town today tired tipped times time tightening tight throughout through this think things thing they these there their told tracking users tried used use us upping upcoming until unneeded unnecessary unfair unemployed understand under unable two twice trying try resume resubscribe restriction new nothing nonsense nonesence non nice next news newest never out needed need must multiple moving moved move more notified of off offer others original or options option opportunity opening opened ontario only oneday one once on ok often offset months monthly month make luck loyalty lower lost losing loose looking long lol locations location ll live little limiting limited limit made makes monetary making moment mom mistake mind might merge memberships membership members member medical means may married market many manservices our outside restrict quality reactivate re rather rates rate raises raised raise putting over put pushed provider profits profit profiles problem pricing reality really reason
Topic 12 | Coherence=-215663.37 | Top words= in with who the other your do subscriptions are rates moved one thing than price others higher same two dont house is someone tipped direction already need scales goes finally significant continually selection my it subscriber son like has family increasing workable not multiple system our what merge seen hacked acct households entertaining policy half we high from get financial financially first fix fixed flat given give focused girl gf food getting gas fuel for forcing garbage forever learning games forth free leave layoff future later frequent its feel left life expected everything every letting even euro especially entertainment fiance enough end emails email elsewhere else eliminating let expenses lesser expensive few feet fees last fee fault far fan fair legacy fact face less extra extortion go gouging going job join joint im ill if just idea husband hungry huge how household hosehold horrible holder improvements income history increase issue isnt isn itself iny intolerable into jacking interested instead inflation increments increasses increases increased justify hiking gone kidding had hacking hackednot guys lack greedy greed laid great grandkids issues gotten got good gonna kids hand hikes happy hike keep her help health keeping keeps he having havent kept have hardly hard edge el youre easily been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden aunt broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill automatically at cancelling addition againlater again after afford adicional addtional addresses additional adding alarming added activities accounts account access acceptance absurd about agree all as annually aren apps aparently anyways anymore any anticonsumer another and allow an amounts amount amercian am also almost allowed canceling cannot earlier dad decisions death deal days day daughter date damn cutting delivering cut customers customer currently current currency creep credit declined deteriorated courtesy done each duplicate due drive drastically drain down double don didnt limit divorce disgusts disgusting discontinue disappointed different differences covid country cant changing choose choice checking cheaper charging charges charged charge changes climb changed change cell caused caring cared care card city climbing costs consider cost continuous continues continue continously constantly constant consolidating connected college compromised competitive compared company coming come combining combine doesnt loyal limited squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon something some stopped stranger limiting talk thats that thanks thank terrible temporary temporarily taste taking stupid take switching support summer success subscription subscribers sub so situation single rule see secure second scaling saving save run rules rotating since rising risen rise ripped right ridiculous return retiring seems sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services their there these waste when whats were went well weeks week way was vaccine warrant wants wanted want waiting wait vs virtue where while why wife youll you yet years yearly year yall ya wouldn would worth work wont won without willing will value ut they tired tried tracking town tooo too told today to times using time tightening tight throughout through this think things try trying twice unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under retired resume resubscribe news notified nothing nonsense nonesence non no nice next newest monthly new never needed must much moving move more now of off offer out original or options option opportunity opening opened ontario only oneday once on ok often offset offered months month over looking make made luck loyalty lower lost losing loose longer money long lol locations location ll living live little makes making manservices many monetary moment mom mistake mind might memberships membership members member medical means me maybe may married market outside overpriced restriction raise reality reactivate re rather rate raising raises raised quickly pricing quality putting put pushed provider profits profit profiles really reason recent recently
Topic 13 | Coherence=-212046.56 | Top words= states of subscription using being be getting my platform married another off about will paying share sick stranger was by combining lol ripped awhile accounts used back instead you way get free fuel gas garbage games frequent future from gf goes girl grandkids had hacking hackednot hacked guys greedy greed great gouging give gotten got good gonna gone going go given forth food forever forcing face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else fact fair family financial for hand focused flat fixed fix first financially finally fan fiance few feet fees feel fee fault far half help happy hard kids kidding kept keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn lack laid last life ll living live little limiting limited limit like letting later let lesser less legacy left leave learning layoff is iny intolerable high hosehold horrible holder history hiking hikes hike higher her household el health he having havent have has hardly house households into income interested inflation increments increasses increasing increases increased increase in how improvements im ill if idea husband hungry huge eliminating youre edge benefit biggest biden biased biannually bf between better benefits begin billing before been becoming because became barely bank away bill billings aunt but card cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit automatically at easily additional agree againlater again after afford adicional addtional addresses addition all adding added activities acct account access acceptance absurd alarming allow as annually aren are apps aparently anyways anymore any anticonsumer and allowed an amounts amount amercian am also already almost care cared caring day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction caused double earlier each duplicate due drive drastically drain location dont disappointed done don doesnt do divorce disgusts disgusting discontinue current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive down loyal locations long stupid stopping stopped stop stepdad stealing stay starting started start squeeze spouses spouse spending spend span sorry soon son sub subscriber subscribers temporarily the thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success something someone some saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service so shouldn situation single since significant signaling sign sight shoves should services short she sharing shady several settled set servicio their there these we when whats what were went well weeks week waste while warrant wants wanted want waiting wait vs virtue where who vaccine would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife value ut they times town tooo too told today to tired tipped time tried tightening tight throughout through this think things thing tracking try uses unneeded users use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice right ridiculous return nonesence offset offered offer now notified nothing not nonsense non ok no nice next news newest new never needed often on must or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one need multiple owner made maybe may market many manservices making makes make luck means loyalty your lower lost losing loose looking longer me medical much monetary moving moved move more months monthly month money moment member mom mistake mind might merge memberships membership members own owning retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits reside retired resume
Topic 14 | Coherence=-219879.72 | Top words= prices you or are raising increasing entertaining ill seems far consider year company much options after it many your has too increases like price stop not worth without because differences any improvements damn every please ridiculous profits months these twice us kidding up isn squeeze hungry euro gouging from forth frequent grandkids future fuel great free got games give gonna gone going goes go given girl garbage gotten gf getting good get gas forever financially forcing everything fact face extra extortion expensive expenses expected even for especially entertainment enough end emails email elsewhere fair family fan fault food focused flat fixed fix first greedy financial finally fiance few feet fees feel fee greed youre guys keeps keep justify just joint join job jacking itself its issues issue isnt is iny intolerable into interested keeping kept inflation kids limiting limited limit life letting let lesser less legacy left leave learning layoff later last laid lack instead increments hacked hike high her help health he eliminating having havent have hardly hard happy hand half had hacking hackednot higher hikes increasses hiking increased increase income in im if idea husband huge how households household house hosehold horrible holder history else drain el edge biased biannually bf between better benefits benefit being begin before been becoming became be barely bank back awhile away biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as and aren apps aparently anyways anymore anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot cant card day didnt deteriorated delivering declined decisions death deal days daughter direction date dad cutting cut customers customer currently current different disappointed creep down easily earlier each duplicate due drive drastically live double discontinue dont done don doesnt do divorce disgusts disgusting currency credit care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine covid continously courtesy country costs cost continuous continues continue continually constantly combining constant consolidating connected compromised competitive compared coming come little loyal living started stranger stopping stopped stepdad stealing stay states starting start sub spouses spouse spending spend span sorry soon son stupid subscriber someone talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription something some ripped scales series sense selection seen see secure second scaling saving services save same run rules rule rotating rising risen service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled thats the their waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where there workable youll yet years yearly yall ya wouldn would work while wont won with willing will wife why who value vaccine ut time town tooo told today to tired tipped times tightening using tight throughout through this think things thing they tracking tried try trying uses users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two rise right ll no off of now notified nothing nonsense nonesence non nice offered next news newest new never needed need my offer offset multiple opportunity over outside out our others other original option opening often opened ontario only oneday one once on ok must moving return lower market manservices making makes make made luck loyalty lost may losing loose looking longer long lol locations location married maybe moved mistake move more monthly month money monetary moment mom mind me might merge memberships membership members member medical means overpriced own owner rates recently recent reason really reality reactivate re rather rate rectifying raises raised raise quickly quality putting put pushed recession redo owning residence retiring
Topic 15 | Coherence=-219407.86 | Top words= prices so other raising was that keep kept better reason gonna im cheaper are youre your if services only people charging out now extra it my just do an not have card allowed after credit bill option because guys has climb and notified today switching pleased get expected expenses getting gf going girl give everything given go limiting goes every fault gone garbage limited hackednot hacked entertaining entertainment greedy especially greed great euro grandkids gouging gotten got good even gas future games far fair first financially family living financial finally fiance few live feet fees feel fee fan fix fixed flat free fuel from frequent expensive extortion face fact focused forth little hacking forcing for food forever legacy had iny its letting issues issue isnt isn is intolerable jacking into interested instead inflation increments increasses increasing itself job half kids leave learning layoff later last laid lack kidding join less keeps keeping lesser justify joint let increases increased increase he higher high like her end help health having income havent left hardly hard limit happy hand hike hikes hiking history in improvements life ill idea husband hungry huge how households household house hosehold horrible holder enough each emails being biggest biden biased biannually bf between benefits benefit begin billings before been becoming became be barely bank back billing bills away by care cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly awhile automatically caring adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aunt anticonsumer at as aren apps aparently anyways anymore any another allow annually amounts amount amercian am also already almost cared caused email declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day daughter date damn dad disgusting divorce cut duplicate elsewhere else eliminating el edge easily earlier location due doesnt drive drastically drain down double dont done don cutting customers cell choose company coming come combining combine college climbing city choice competitive checking charges charged charge changing changes changed change compared compromised customer cost currently current currency creep covid courtesy country costs continuous connected continues continue continually continously constantly constant consolidating consider ll loyal locations stepdad subscribers subscriber sub stupid stranger stopping stopped stop stealing subscriptions stay states starting started start squeeze spouses spouse subscription success spend than they these there their the thats thanks thank terrible summer temporary temporarily taste talk taking take system support spending span things seems settled set servicio service series sense selection seen see shady secure second scaling scales saving save same run several share sorry significant soon son something someone some situation single since signaling sharing sign sight sick shoves shouldn should short she thing think rule weeks while where when whats what were went well week why we way waste warrant wants wanted want waiting who wife vs wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing wait virtue this told twice trying try tried tracking town tooo too to unable tired tipped times time tightening tight throughout through two under value upward vaccine ut using uses users used use us upping understand upcoming up until unneeded unnecessary unfortunately unfair unemployed rules rotating lol non offset offered offer off of nothing nonsense nonesence no ok nice next news newest new never needed need often on multiple others pagos owning owner own overpriced over outside our original once or options opportunity opening opened ontario oneday one must much parents made may married market many manservices making makes make luck me loyalty lower lost losing loose looking longer long maybe means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member parent passed rising really reflect reducing reduce redo rectifying recession recently recent reality remarried reactivate re rather rates rate raises raised raise rejoin renewing quality resume risen rise
Topic 16 | Coherence=-221465.57 | Top words= and price increases with more is money the to have saving can deal be continuous problem need stop new customer in this addtional as youll me climb people upcoming benefit back terrible pay don fee moving dad yet aparently location ontario one continue workable than users right month gouging about squeeze sick nice emails locations reduce accounts rise give go euro even every given girl everything expected expenses gf expensive getting goes fix gas going gone especially gonna good got entertainment entertaining gotten enough grandkids great greed get extortion first far financially financial finally fiance few greedy feet flat focused fees feel food fault for fan garbage forcing family forever forth fair fact face free frequent from fuel future extra games fixed youre guys issues just joint join job jacking itself its it issue hacked isnt isn iny intolerable into interested instead inflation justify keep keeping keeps life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept increments increasses increasing hikes higher high end help health he having havent has hardly hard happy hand half had hacking hackednot hike hiking increased history increase income improvements im ill if idea husband hungry huge how households household house hosehold horrible holder her dont email benefits bill biggest biden biased biannually bf between better being away begin before been becoming because became barely bank billing billings bills bit card cant cannot cancelling canceling cancel bye by but business buggin budget broke break boyfriend both blindly awhile automatically cared additional alarming agree againlater again after afford adicional addresses addition aunt adding added activities acct account access acceptance absurd all allow allowed almost at aren are apps anyways anymore any anticonsumer another annually an amounts amount amercian am also already care caring elsewhere declined discontinue disappointed direction different differences didnt deteriorated delivering decisions currently death days day daughter date damn cutting cut disgusting disgusts divorce do else eliminating el edge easily earlier each duplicate due drive drastically drain down double limit done doesnt customers current caused cheaper combining combine college climbing city choose choice checking charging currency charges charged charge changing changes changed change cell come coming company compared creep credit covid courtesy country costs cost continues continually continously constantly constant consolidating consider connected compromised competitive like loyal limited start stopping stopped stepdad stealing stay states starting started spouses stupid spouse spending spend span sorry soon son something stranger sub limiting taking thats that thanks thank temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers someone some so scales sense selection seen seems see secure second scaling save situation same run rules rule rotating rising risen ripped series service services servicio single since significant signaling sign sight shoves shouldn should short she sharing share shady several settled set their there these way whats what were went well weeks week we waste value was warrant wants wanted want waiting wait vs when where while who you years yearly year yall ya wouldn would worth work wont won without willing will wife why virtue vaccine they tipped tried tracking town tooo too told today tired times ut time tightening tight throughout through think things thing try trying twice two using uses used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous return retiring non off of now notified nothing not nonsense nonesence no moved next news newest never needed my must multiple offer offered offset often outside out our others other original or options option opportunity opening opened only oneday once on ok much move overpriced losing makes make made luck loyalty your lower lost loose months looking longer long lol ll living live little making manservices many market monthly monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married over own retired raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 17 | Coherence=-220252.98 | Top words= price keeps too increasing increases this changing long don greedy with for nonsense been benefits the and you are constant but ridiculous new quality will service while continually use value hardly delivering point little on access high changes when done resume becoming thats reflect bank charges users limiting of willing terrible do down since stopping think policy gouging climbing reality sick should need often combining gas games gone going future goes go given give girl got gf fuel garbage getting good get gonna youre fixed from far family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough fan fault frequent fee free forth forever forcing food focused flat fix first financially financial finally fiance few feet fees feel gotten having grandkids isn job jacking itself its it issues issue isnt is great iny intolerable into interested instead inflation increments increasses join joint just justify let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeping keep increased increase income higher help health he emails havent have has hard happy hand half had hacking hackednot hacked guys greed her hike in hikes improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history hiking end doesnt email before biased biannually bf between better benefit being begin because elsewhere became be barely back awhile away automatically aunt biden biggest bill billing cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills billings at as aren agree again after afford adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about againlater alarming apps all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cannot cant card disappointed different differences didnt deteriorated declined decisions death deal days day daughter date damn dad cutting cut customers direction discontinue currently disgusting else eliminating el edge easily earlier each duplicate due drive drastically drain double dont life divorce disgusts customer current care coming combine college climb city choose choice checking cheaper charging charged charge changed change cell caused caring cared come company currency compared creep credit covid courtesy country costs cost continuous continues continue continously constantly consolidating consider connected compromised competitive letting loyal like spouse stealing stay states starting started start squeeze spouses spending situation spend span sorry soon son something someone some stepdad stop stopped stranger temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub stupid so single thank rules secure second scaling scales saving save same run rule significant rotating rising risen rise ripped right return retiring see seems seen selection signaling sign sight shoves shouldn short she sharing share shady several settled set servicio services series sense than thanks resubscribe was were went well weeks week we way waste warrant using wants wanted want waiting wait vs virtue vaccine what whats where who youll yet years yearly year yall ya wouldn would worth workable work wont won without wife why ut uses that tightening tooo told today to tired tipped times time tight used throughout through things thing they these there their town tracking tried try us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retired restriction limit needed nonesence non no nice next news newest never my month must multiple much moving moved move more months not nothing notified now original or options option opportunity opening opened ontario only oneday one once ok offset offered offer off monthly money others loose make made luck loyalty your lower lost losing looking monetary longer lol locations location ll living live limited makes making manservices many moment mom mistake mind might merge memberships membership members member medical means me maybe may married market other our restrict putting rather rates rate raising raises raised raise quickly put prescription pushed provider profits profit profiles problem pricing prices re reactivate really reason
Topic 18 | Coherence=-216063.70 | Top words= back be will break taking when can just and ll money got laid we saving off bit for with to of card declined keep these broke piracy time monetary might repurposing prices take summer come layoff only sharing awhile allow bills over gas get had girl give getting gf great going given hacked greed greedy gouging gotten guys good hackednot go games gonna gone grandkids goes hacking garbage youre future expected fan family fair fact face extra extortion expensive expenses everything fault every even euro especially entertainment entertaining enough end emails far fee fuel flat from frequent free forth forever forcing food hand focused fixed feel fix first financially financial finally fiance few feet fees half high happy kidding keeps keeping justify joint join job jacking itself its it issues issue isnt isn is iny intolerable kept kids hard lack live little limiting limited limit like life letting let lesser less legacy left leave learning later last into interested instead inflation hosehold horrible holder history hiking hikes hike higher her help health he having havent have has hardly house household households in increments increasses increasing increases increased increase income improvements how im ill if idea husband hungry huge email down elsewhere before biannually bf between better benefits benefit being begin been biden becoming because became barely bank away automatically aunt biased biggest caused by cared care cant cannot cancelling canceling cancel bye but bill business buggin budget boyfriend both blindly billings billing at as aren adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed caring cell else deal direction different differences didnt deteriorated delivering decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting change drive eliminating el edge easily earlier each duplicate due drastically disgusts drain double dont done don doesnt do divorce customer currently current choice coming combining combine college climbing climb city choose checking currency cheaper charging charges charged charge changing changes changed company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected living loyal location start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone taste thats that thanks thank than terrible temporary temporarily talk sub system switching support success subscriptions subscription subscribers subscriber something some their scales sense selection seen seems see secure second scaling save service same run rules rule rotating rising risen rise series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she share shady several settled set the there locations waste whats what were went well weeks week way was while warrant wants wanted want waiting wait vs virtue where who vaccine wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing wife value ut they tipped tried tracking town tooo too told today tired times trying tightening tight throughout through this think things thing try twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right ridiculous non offered offer now notified nothing not nonsense nonesence no often nice next news newest new never needed need offset ok must or own overpriced outside out our others other original options on option opportunity opening opened ontario oneday one once my multiple return loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe much mom moving moved move more months monthly month moment mistake me mind merge memberships membership members member medical means owner owning pagos rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parent residence retiring
Topic 19 | Coherence=-223506.83 | Top words= care for paying service garbage your increase you even customers just customer of about rate again and do this need before start other take more keep to things less first in why but creep constant have subscription done live quality time should blindly is go amercian poland another get at try can gf my almost anymore business moving wanted reality fixed goes gone going expenses give expensive given extortion girl extra gonna good getting got gotten expected everything gouging every euro especially grandkids great entertainment greed greedy guys face fair fact flat fix focused food hackednot financially financial finally forcing forever forth free fiance frequent few feet fees from fuel future feel fee games fault far fan family gas hacked youre hacking kept keeping justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested keeps kidding inflation kids limiting limited limit like life letting let lesser legacy left leave learning layoff later last laid lack instead increments had history hikes hike higher high enough her help health he having havent has hardly hard happy hand half hiking holder increasses horrible increasing increases increased income improvements im ill if idea husband hungry huge how households household house hosehold entertaining down end benefit biggest biden biased biannually bf between better benefits being cell begin been becoming because became be barely bank bill billing billings bills caring cared card cant cannot cancelling canceling cancel bye by buggin budget broke break boyfriend both bit back awhile away alarming againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd agree all automatically allow aunt as aren are apps aparently anyways any anticonsumer annually an amounts amount am also already allowed caused change emails declined discontinue disappointed direction different differences didnt deteriorated delivering decisions changed death deal days day daughter date damn dad disgusting disgusts divorce doesnt email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain double dont don cutting cut currently company come combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes coming compared current competitive currency credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised little loyal living started stopping stopped stop stepdad stealing stay states starting squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone taste thats that thanks thank than terrible temporary temporarily talk subscriber taking system switching support summer success subscriptions subscribers something some right saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense services so shoves situation single since significant signaling sign sight sick shouldn servicio short she sharing share shady several settled set the their there we when whats what were went well weeks week way while waste was warrant wants want waiting wait vs where who these would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will virtue value vaccine tired trying tried tracking town tooo too told today tipped ut times tightening tight throughout through think thing they twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped ridiculous ll non offer off now notified nothing not nonsense nonesence no offset nice next news newest new never needed must offered often much option over outside out our others original or options opportunity ok opening opened ontario only oneday one once on multiple moved return lower many manservices making makes make made luck loyalty lost married losing loose looking longer long lol locations location market may move mind months monthly month money monetary moment mom mistake might maybe merge memberships membership members member medical means me overpriced own owner raising recently recent reason really reactivate re rather rates raises rectifying raised raise quickly putting put pushed provider profits recession redo owning residence retiring
Topic 20 | Coherence=-221210.03 | Top words= to not worth currently me price the for enough life forcing just keeping shoves face so iny especially choice more pop nice increase subscriber your anymore make is subscription you lost up with used be expensive have time outside summer coming play better need several weeks discontinue activities health isn don cheaper go value spend changes girl what finally every goes even give given entertainment gf getting get everything euro going gas gone gonna good got gotten entertaining gouging grandkids end emails email great elsewhere expected games garbage financial financially fiance first few greed fixed flat feet focused fees feel fee fault food far fan family fair fact forever forth free extra extortion frequent from fuel expenses future fix havent greedy keep joint join job jacking itself its it issues issue isnt intolerable into interested instead inflation increments increasses justify keeps guys kept limit like letting let lesser less legacy left leave learning layoff later last laid lack kids kidding increasing increases increased income higher high her help he having eliminating has hardly hard happy hand half had hacking hackednot hacked hike hikes hiking hungry in improvements im ill if idea husband huge history how households household house hosehold horrible holder else youre el been biannually bf between benefits benefit being begin before becoming biden because became barely bank back awhile away automatically biased biggest at budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt as edge addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all aren and are apps aparently anyways any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cancelling cannot cant day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer current differences direction card down easily earlier each duplicate due drive drastically drain double disappointed dont done limiting doesnt do divorce disgusts disgusting currency creep credit charged college climbing climb city choose checking charging charges charge covid changing changed change cell caused caring cared care combine combining come company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limited loyal little spouse stealing stay states starting started start squeeze spouses spending stop span sorry soon son something someone some situation stepdad stopped that take thank than terrible temporary temporarily taste talk taking system stopping switching support success subscriptions subscribers sub stupid stranger single since significant rules secure second scaling scales saving save same run rule signaling rotating rising risen rise ripped right ridiculous return see seems seen selection sign sight sick shouldn should short she sharing share shady settled set servicio services service series sense thanks thats live was whats were went well week we way waste warrant where wants wanted want waiting wait vs virtue vaccine when while their would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why ut using uses tight tooo too told today tired tipped times tightening throughout users through this think things thing they these there town tracking tried try use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying retiring retired resume no off of now notified nothing nonsense nonesence non next offered news newest new never needed my must multiple offer offset resubscribe opportunity out our others other original or options option opening often opened ontario only oneday one once on ok much moving moved losing many manservices making makes made luck loyalty lower loose move looking longer long lol locations location ll living market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means over overpriced own raises really reality reactivate re rather rates rate raising raised profiles raise quickly quality putting put pushed provider profits reason recent recently recession
Topic 21 | Coherence=-216994.57 | Top words= to no more change billing continues prices added benefit service services my better climb customer unable date help all at other country reducing expenses of laid new off keep unneeded want just adding now was drain get gas garbage games future getting youre gf grandkids half had hacking hackednot hacked guys greedy greed great gouging girl gotten got good gonna gone going goes go give given forever fuel expensive far fan family fair fact face extra extortion expected fee everything every even euro especially entertainment entertaining enough fault feel from flat frequent free forth happy forcing for food focused fixed fees fix first financially financial finally fiance few feet hand higher hard job kids kidding kept keeps keeping justify joint join jacking hardly itself its it issues issue isnt isn is lack last later layoff ll living live little limiting limited limit like life letting let lesser less legacy left leave learning iny intolerable into households house hosehold horrible holder history hiking hikes hike emails high her health he having havent have has household how interested huge instead inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry end due email before biden biased biannually bf between benefits being begin been bill becoming because became be barely bank back awhile biggest billings automatically but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit away aunt elsewhere additional agree againlater again after afford adicional addtional addresses addition allow activities acct accounts account access acceptance absurd about alarming allowed as another aren are apps aparently anyways anymore any anticonsumer annually almost and an amounts amount amercian am also already card care cared decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter damn dad cutting cut discontinue disgusts caring locations else eliminating el edge easily earlier each duplicate drive divorce drastically down double dont done don doesnt do customers currently current cheaper combining combine college climbing city choose choice checking charging currency charges charged charge changing changes changed cell caused come coming company compared creep credit covid courtesy costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive location loyal lol rising subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend subscribers subscription subscriptions temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer span sorry soon secure set servicio series sense selection seen seems see second several scaling scales saving save same run rules rule settled shady son signaling something someone some so situation single since significant sign share sight sick shoves shouldn should short she sharing there these they weeks while where when whats what were went well week why we way waste warrant wants wanted waiting wait who wife virtue wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs value thing tipped tried tracking town tooo too told today tired times trying time tightening tight throughout through this think things try twice vaccine upping ut using uses users used use us upward upcoming two up until unnecessary unfortunately unfair unemployed understand under rotating risen long rise once on ok often offset offered offer notified nothing not nonsense nonesence non nice next news newest never needed one oneday only out parent pagos owning owner own overpriced over outside our ontario others original or options option opportunity opening opened need must multiple made may married market many manservices making makes make luck me loyalty your lower lost losing loose looking longer maybe means much moment moving moved move months monthly month money monetary mom medical mistake mind might merge memberships membership members member parents passed past reactivate redo rectifying recession recently recent reason really reality re reflect rather rates rate raising raises raised raise quickly reduce rejoin putting restriction ripped right
Topic 22 | Coherence=-212171.42 | Top words= with increase what service too much be was getting greedy is should subscription half charged your phone issues different support users cant between through personal ya girl provider nonesence aren isnt free offered anymore customers wont already horrible focused for cost am outside that budget unable gone going goes given especially go give euro even gf every gonna good entertainment entertaining email emails hacking hackednot hacked guys end greed great enough grandkids gouging gotten got gas get fees garbage everything fixed fair family fix fan far first fault financially financial fee finally fiance few feel flat fact face frequent games feet expected future fuel from expenses food expensive forth forever forcing extortion extra youre help had join kidding kept keeps keeping keep justify just joint job hand jacking itself its it issue isn iny intolerable kids lack laid last live little limiting limited limit like life letting let lesser less legacy left leave learning layoff later into interested instead hosehold history hiking hikes hike higher high her else health he having havent have has hardly hard happy holder house inflation household increments increasses increasing increases increased income in improvements im ill if idea husband hungry huge how households elsewhere dont eliminating before biased biannually bf better benefits benefit being begin been biggest becoming because became barely bank back awhile away biden bill care business cannot cancelling canceling cancel can bye by but buggin billing broke break boyfriend both blindly bit bills billings automatically aunt at adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater agree alarming all are apps aparently anyways any anticonsumer another annually and an amounts amount amercian also almost allowed allow card cared el days differences didnt deteriorated delivering declined decisions death deal day disappointed daughter date damn dad cutting cut customer currently direction discontinue caring drain edge easily earlier each duplicate due drive drastically down disgusting double ll done don doesnt do divorce disgusts current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charge changing changes changed change cell caused combining come coming company covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared living loyal location spouses stepdad stealing stay states starting started start squeeze spouse stopped spending spend span sorry soon son something someone stop stopping so take thank than terrible temporary temporarily taste talk taking system stranger switching summer success subscriptions subscribers subscriber sub stupid some situation thats same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense single short since significant signaling sign sight sick shoves shouldn she series sharing share shady several settled set servicio services thanks the locations waste whats were went well weeks week we way warrant where wants wanted want waiting wait vs virtue value when while ut would youll you yet years yearly year yall wouldn worth who workable work won without willing will wife why vaccine using their tightening tooo told today to tired tipped times time tight tracking throughout this think things thing they these there town tried uses unneeded used use us upward upping upcoming up until unnecessary try unfortunately unfair unemployed understand under two twice trying ridiculous return retiring no off of now notified nothing not nonsense non nice offset next news newest new never needed need my offer often multiple option over out our others other original or options opportunity ok opening opened ontario only oneday one once on must moving retired luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking longer long lol may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced own owner raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed profits recent recession owning repurposing resume
Topic 23 | Coherence=-232418.53 | Top words= the for subscription you now using many too charging charge people on greed my and new gonna reason kept other out will more as newest going loose im fee an divorce wife from through hike sharing courtesy left if hikes price me it moving of disgusts back company thank service much dont caring aren focused elsewhere personal payday lost pop less longer member phone even expected goes financially go given give girl expensive gf expenses every gone everything good getting got euro gotten especially entertainment gouging grandkids great extortion get extra face fix fixed financial finally flat fiance greedy food few feet fees forcing forever feel fault far forth fan free frequent family fuel future fair fact games garbage gas first youre he guys isn job jacking itself its issues issue isnt is joint iny intolerable into interested instead inflation increments join just increasing later letting let lesser legacy leave learning layoff last justify laid lack kids kidding keeps keeping keep increasses increases hacked has her help health enough having havent have hardly higher hard happy hand half had hacking hackednot high hiking increased hungry increase income in improvements ill idea husband huge history how households household house hosehold horrible holder entertaining due end emails biden biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank awhile biggest bill billing business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming at annually are apps aparently anyways anymore any anticonsumer another amounts all amount amercian am also already almost allowed allow cant card care death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting customer duplicate email else eliminating el edge easily earlier each like do drive drastically drain down double done don doesnt customers currently cared checking combining combine college climbing climb city choose choice cheaper coming charges charged changing changes changed change cell caused come compared current continues currency creep credit covid country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised life loyal limit states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers limited temporarily there their thats that thanks than terrible temporary taste subscriptions talk taking take system switching support summer success sorry soon son secure servicio services series sense selection seen seems see second something scaling scales saving save same run rules rule set settled several shady someone some so situation single since significant signaling sign sight sick shoves shouldn should short she share these they thing we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing vs value things to trying try tried tracking town tooo told today tired vaccine tipped times time tightening tight throughout this think twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rotating rising risen nonesence offset offered offer off notified nothing not nonsense non moved no nice next news never needed need must often ok once one owner own overpriced over outside our others original or options option opportunity opening opened ontario only oneday multiple move pagos looking makes make made luck loyalty your lower losing long months lol locations location ll living live little limiting making manservices market married monthly month money monetary moment mom mistake mind might merge memberships membership members medical means maybe may owning parent rise reality reducing reduce redo rectifying recession recently recent really reactivate quality re rather rates rate raising raises raised raise reflect rejoin remarried renewing
Topic 24 | Coherence=-213830.93 | Top words= prices year greedy after just starting charge additional last profit profiles is and states that about bill want limit when power money like outside don other of using good garbage games future fuel hacked get hackednot from frequent hacking had free forth gas guys getting given got gotten gone going forever go gouging gonna give girl grandkids gf great greed goes flat forcing even face extra extortion expensive expenses expected everything every euro for especially entertainment entertaining enough end emails email elsewhere fact fair family fan food focused hand fixed fix first financially financial finally fiance few feet fees feel fee fault far half youre happy jacking kept keeps keeping keep justify joint join job itself kids its it issues issue isnt isn iny intolerable kidding lack hard letting location ll living live little limiting limited life let laid lesser less legacy left leave learning layoff later into interested instead her horrible holder history hiking hikes hike higher high help inflation health eliminating he having havent have has hardly hosehold house household households increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how else drive el card biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile biden biggest billing business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addition alarming agree againlater again afford adicional addtional addresses adding allow added activities acct accounts account access acceptance absurd all allowed at anticonsumer as aren are apps aparently anyways anymore any another almost annually an amounts amount amercian am also already cant care edge cared didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current differences different direction down easily earlier each duplicate due lol drastically drain double disappointed dont done doesnt do divorce disgusts disgusting discontinue currency creep credit charging college climbing climb city choose choice checking cheaper charges combining charged changing changes changed change cell caused caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company locations loyal long these sub stupid stranger stopping stopped stop stepdad stealing stay started start squeeze spouses spouse spending spend span sorry soon subscriber subscribers subscription temporarily their the thats thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success son something someone second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several there they longer thing where whats what were went well weeks week we way waste was warrant wants wanted waiting wait vs virtue while who why would youll you yet years yearly yall ya wouldn worth wife workable work wont won without with willing will value vaccine ut tipped tracking town tooo too told today to tired times try time tightening tight throughout through this think things tried trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two rising risen rise ripped offset offered offer off now notified nothing not nonsense nonesence non no nice next news newest new never needed often ok on or owner own overpriced over out our others original options once option opportunity opening opened ontario only oneday one need my must make maybe may married market many manservices making makes made means luck loyalty your lower lost losing loose looking me medical multiple monetary much moving moved move more months monthly month moment member mom mistake mind might merge memberships membership members owning pagos parent reactivate redo rectifying recession recently recent reason really reality re reducing rather rates rate raising raises raised raise quickly reduce reflect putting restrict right ridiculous
Topic 25 | Coherence=-213173.31 | Top words= is you to charge college worth re daughter extra uses good she thank ut sign anyways bye this as that opened cant subscription duplicate mistake by got your what raise new continue kids charged charging gas garbage girl get getting hacking games hackednot had future gf go give given great goes going gone gonna hacked from gotten guys greedy gouging greed grandkids fuel focused frequent free family fair fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email fan far fault fix forth forever forcing for food hand flat fixed first fee financially financial finally fiance few feet fees feel half youre happy hard kidding kept keeps keeping keep justify just joint join job jacking itself its it issues issue isnt isn iny lack laid last life ll living live little limiting limited limit like letting later let lesser less legacy left leave learning layoff intolerable into interested her horrible holder history hiking hikes hike higher high help house health he else having havent have has hardly hosehold household instead in inflation increments increasses increasing increases increased increase income improvements households im ill if idea husband hungry huge how elsewhere double eliminating because better benefits benefit being begin before been becoming became bf be barely bank back awhile away automatically aunt between biannually cancelling boyfriend cancel can but business buggin budget broke break both biased blindly bit bills billings billing bill biggest biden at aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed allow canceling cannot el days differences didnt deteriorated delivering declined decisions death deal day direction date damn dad cutting cut customers customer currently different disappointed card down edge easily earlier each due drive drastically drain locations discontinue dont done don doesnt do divorce disgusts disgusting current currency creep charges combine climbing climb city choose choice checking cheaper changing credit changes changed change cell caused caring cared care combining come coming company covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider connected compromised competitive compared location loyal lol long stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something stopping stranger stupid taking thats thanks than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber someone some so save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation should single since significant signaling sight sick shoves shouldn short service sharing share shady several settled set servicio services the their there way when whats were went well weeks week we waste while was warrant wants wanted want waiting wait vs where who value would youll yet years yearly year yall ya wouldn workable why work wont won without with willing will wife virtue vaccine these times tracking town tooo too told today tired tipped time try tightening tight throughout through think things thing they tried trying using until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two right ridiculous return nonsense offered offer off of now notified nothing not nonesence often non no nice next news newest never needed offset ok my or overpriced over outside out our others other original options on option opportunity opening ontario only oneday one once need must owner make maybe may married market many manservices making makes made means luck loyalty lower lost losing loose looking longer me medical multiple money much moving moved move more months monthly month monetary member moment mom mind might merge memberships membership members own owning retiring raising recent reason really reality reactivate rather rates rate raises recession raised quickly quality putting put pushed provider profits recently rectifying profiles reside retired resume
Topic 26 | Coherence=-221306.85 | Top words= is and subscription the we my increases change in where different will ridiculous upcoming anticonsumer locations subscriptions to many use sharing reality acceptance lack are moving fiance consolidating same charges emails payment double over going quality prices he used by increased notified job cheaper got girl from fuel future games end garbage email gas get getting gf guys give gotten greedy given greed go great goes grandkids gouging gone frequent gonna good expensive food free everything feet fees feel every fee fault far fan forth expected family fair fact face extra expenses few finally even financial forever forcing enough for extortion entertaining focused flat fixed entertainment fix especially first euro financially youre havent hacked itself keeps keeping keep justify just joint join jacking its instead it issues issue isnt isn iny intolerable into kept kidding kids laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last interested inflation hackednot else hikes hike higher high her help health having have increments has hardly hard happy hand half had hacking hiking history holder horrible increasses increasing increase income improvements im ill if idea husband hungry huge how households household house hosehold elsewhere down eliminating before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically budget cancelling canceling cancel can bye but business buggin broke bill break boyfriend both blindly bit bills billings billing away aunt el addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access absurd about agree all at annually as aren apps aparently anyways anymore any another an allow amounts amount amercian am also already almost allowed cannot cant card day didnt deteriorated delivering declined decisions death deal days daughter direction date damn dad cutting cut customers customer currently differences disappointed care drain edge easily earlier each duplicate due drive drastically living discontinue dont done don doesnt do divorce disgusts disgusting current currency creep charging combine college climbing climb city choose choice checking charged credit charge changing changes changed cell caused caring cared combining come coming company covid courtesy country costs cost continuous continues continue continually continously constantly constant consider connected compromised competitive compared live loyal ll start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone talk that thanks thank than terrible temporary temporarily taste taking sub take system switching support summer success subscribers subscriber something some their scales sense selection seen seems see secure second scaling saving service save run rules rule rotating rising risen rise series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she share shady several settled set thats there location way when whats what were went well weeks week waste who was warrant wants wanted want waiting wait vs while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue vaccine these time town tooo too told today tired tipped times tightening tried tight throughout through this think things thing they tracking try ut unneeded using uses users us upward upping up until unnecessary trying unfortunately unfair unemployed understand under unable two twice ripped right return non offer off of now nothing not nonsense nonesence no offset nice next news newest new never needed need offered often multiple option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on must much retiring loyalty married market manservices making makes make made luck your maybe lower lost losing loose looking longer long lol may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced own owner raising recent reason really reactivate re rather rates rate raises recession raised raise quickly putting put pushed provider profits recently rectifying owning reside retired
Topic 27 | Coherence=-219098.64 | Top words= you if the it will good not bye are that me this only email fact consider to want forever issue reactivate give rectifying again makes never back months come services for prices offer cannot others multiple get new lesser better raised under billings restart stopped have biased longer users scaling temporarily down politically any and gouging grandkids goes great future greed greedy games gotten garbage gas go got getting gonna gone going gf girl given fuel youre flat from far family fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end fan fault frequent fee free forth forcing food focused hacked fixed fix first financially financial finally fiance few feet fees feel guys high hackednot keeping justify just joint join job jacking itself its issues isnt isn is iny intolerable into interested instead keep keeps hacking kept limit like life letting let less legacy left leave learning layoff later last laid lack kids kidding inflation increments increasses increasing hiking hikes hike higher her help health he having havent has hardly hard happy hand half had history holder horrible ill increases increased increase income in improvements im idea hosehold husband hungry huge how households household house emails drain elsewhere begin biggest biden biannually bf between benefits benefit being before billing been becoming because became be barely bank awhile bill bills automatically by cared care card cant cancelling canceling cancel can but bit business buggin budget broke break boyfriend both blindly away aunt else adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at annually as aren apps aparently anyways anymore anticonsumer another an allow amounts amount amercian am also already almost allowed caring caused cell death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cutting cut disappointed disgusting change drive eliminating el edge easily earlier each duplicate due drastically disgusts limiting double dont done don doesnt do divorce customers customer currently choice coming combining combine college climbing climb city choose checking current cheaper charging charges charged charge changing changes changed company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected limited loyal little start stopping stop stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub there taking thats thanks thank than terrible temporary taste talk take subscriber system switching support summer success subscriptions subscription subscribers something someone some scales series sense selection seen seems see secure second saving so save same run rules rule rotating rising risen service servicio set settled situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several their these live we when whats what were went well weeks week way while waste was warrant wants wanted waiting wait vs where who they would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife virtue value vaccine tipped tried tracking town tooo too told today tired times ut time tightening tight throughout through think things thing try trying twice two using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand unable rise ripped right no off of now notified nothing nonsense nonesence non nice offset next news newest needed need my must much offered often ridiculous options overpriced over outside out our other original or option ok opportunity opening opened ontario oneday one once on moving moved move lost manservices making make made luck loyalty your lower losing more loose looking long lol locations location ll living many market married may monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe own owner owning rate recently recent reason really reality re rather rates raising profit raises raise quickly quality putting put pushed provider recession redo reduce reducing
Topic 28 | Coherence=-230648.34 | Top words= to and money need use not as it price have services do dont the save other much you continues trying subscriptions up go enough needed only good want why guys forth put some household so like we sorry earlier using oneday possible been went limiting or cancel since time now hard financially am spending barely down policy just has right agree often single drain service prefer hardly users gotten platforms billing fault don moving increases second apps hungry games end expected expenses given garbage entertaining gf give girl everything entertainment gas every get future even euro especially getting free fuel family feet few fees fiance finally financial feel going first fee far fan fix fixed expensive fair fact flat focused food for forcing forever face frequent extra extortion from goes youre gone in its issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increased increase itself jacking job lack left leave learning layoff later last laid kids join kidding kept keeps keeping keep justify joint income improvements gonna im he having havent email happy hand half had hacking hackednot hacked greedy greed great grandkids gouging got health help her house ill if idea husband huge how households hosehold high horrible holder history hiking hikes hike higher emails divorce elsewhere being biden biased biannually bf between better benefits benefit begin automatically before becoming because became be bank back awhile biggest bill billings bills cant cannot cancelling canceling can bye by but business buggin budget broke break boyfriend both blindly bit away aunt care adding again after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about againlater alarming all allow aren are aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed card cared else daughter deteriorated delivering declined decisions death deal days day date creep damn dad cutting cut customers customer currently current didnt differences different direction eliminating el edge easily each duplicate due drive drastically double done doesnt less disgusts disgusting discontinue disappointed currency credit caring charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed change cell caused combine combining come coming courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared company legacy loyal lesser start stopped stop stepdad stealing stay states starting started squeeze that spouses spouse spend span soon son something someone stopping stranger stupid sub thank than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers subscriber situation significant signaling see scaling scales saving same run rules rule rotating rising risen rise ripped ridiculous return retiring retired resume secure seems sign seen sight sick shoves shouldn should short she sharing share shady several settled set servicio series sense selection thanks thats restriction way where when whats what were well weeks week waste their was warrant wants wanted waiting wait vs virtue while who wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value vaccine ut town too told today tired tipped times tightening tight throughout through this think things thing they these there tooo tracking uses tried used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice try resubscribe restrict let multiple nice next news newest new never my must moved others move more months monthly month monetary moment mom no non nonesence nonsense options option opportunity opening opened ontario one once on ok offset offered offer off of notified nothing mistake mind might your lost losing loose looking longer long lol locations location ll living live little limited limit life letting lower loyalty merge luck memberships membership members member medical means me maybe may married market many manservices making makes make made original our restart quickly re rather rates rate raising raises raised raise quality out putting pushed provider profits profit profiles problem pricing reactivate reality really
Topic 29 | Coherence=-223782.32 | Top words= and extra for youre charge you family are pay using the extortion greedy that with subscription states cheaper better its different like company but bill services increase about have only was so keep idea won news in it currently too currency euro reside on being my dont drain charges gf span work agree sign every going goes go everything given give girl expected getting gone finally get great emails guys end enough entertaining greed grandkids even gouging gotten entertainment especially got good gonna gas financial forever fiance few financially first feet fix fixed flat focused food fees feel forcing fee fault garbage far fan forth fair fact free face frequent from fuel expensive future expenses games hacked he hackednot jacking kept keeps keeping justify just joint join job itself hacking issues issue isnt isn is iny intolerable into kidding kids lack laid live little limiting limited limit life letting let lesser less legacy left leave learning layoff later last interested instead inflation history hikes hike higher high her help health elsewhere having havent has hardly hard happy hand half had hiking holder increments horrible increasses increasing increases increased income improvements im ill if husband hungry huge how households household house hosehold email done else becoming biannually bf between benefits benefit begin before been because cant became be barely bank back awhile away automatically biased biden biggest billing cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly bit bills billings aunt at as alarming again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd againlater all aren allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed cannot card eliminating days differences didnt deteriorated delivering declined decisions death deal day care daughter date damn dad cutting cut customers customer direction disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically down double ll don doesnt do divorce disgusts current creep credit combining college climbing climb city choose choice checking charging charged changing changes changed change cell caused caring cared combine come covid coming courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared living loyal location squeeze stopped stop stepdad stealing stay starting started start spouses stranger spouse spending spend sorry soon son something someone stopping stupid situation taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some single their run see secure second scaling scales saving save same rules seen rule rotating rising risen rise ripped right ridiculous seems selection since she significant signaling sight sick shoves shouldn should short sharing sense share shady several settled set servicio service series thats there retiring waste what were went well weeks week we way warrant when wants wanted want waiting wait vs virtue value whats where ut would youll yet years yearly year yall ya wouldn worth while workable wont without willing will wife why who vaccine uses these time town tooo told today to tired tipped times tightening tried tight throughout through this think things thing they tracking try users unneeded used use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice return retired locations no of now notified nothing not nonsense nonesence non nice offer next newest new never needed need must multiple off offered moving option outside out our others other original or options opportunity offset opening opened ontario oneday one once ok often much moved overpriced loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe move mistake more months monthly month money monetary moment mom mind me might merge memberships membership members member medical means over own resume raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent problem rent resubscribe restriction
Topic 30 | Coherence=-204787.36 | Top words= of out and financial waste rather would learning time spending issues spend cutting work money unemployed on dont cant virtue expenses like political some signaling im death back moment unnecessary holder situation temporary account has changed having happy cut stop at great fuel gas future from greed gouging greedy games garbage grandkids girl frequent gotten got good get gonna gone going getting goes go given give gf flat free forth fact face extra extortion expensive expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else fair family fan first forever forcing for food focused hacked fixed fix financially far finally fiance few feet fees feel fee fault guys have hackednot jacking keeps keeping keep justify just joint join job itself hacking its it issue isnt isn is iny intolerable kept kidding kids lack live little limiting limited limit life letting let lesser less legacy left leave layoff later last laid into interested instead hosehold history hiking hikes hike higher high her help health he havent el hardly hard hand half had horrible house inflation household increments increasses increasing increases increased increase income in improvements ill if idea husband hungry huge how households eliminating youre edge before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank awhile away biased biggest aunt budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically as easily addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cancelling cannot card daughter didnt deteriorated delivering declined decisions deal days day date different damn dad customers customer currently current currency creep differences direction care double earlier each duplicate due drive drastically drain down ll disappointed done don doesnt do divorce disgusts disgusting discontinue credit covid courtesy charges climbing climb city choose choice checking cheaper charging charged country charge changing changes change cell caused caring cared college combine combining come costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming living loyal location started stranger stopping stopped stepdad stealing stay states starting start sub squeeze spouses spouse span sorry soon son something stupid subscriber so talk thats that thanks thank than terrible temporarily taste taking subscribers take system switching support summer success subscriptions subscription someone single their same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense since she significant sign sight sick shoves shouldn should short sharing series share shady several settled set servicio services service the there return we when whats what were went well weeks week way while was warrant wants wanted want waiting wait vs where who vaccine wouldn youll you yet years yearly year yall ya worth why workable wont won without with willing will wife value ut these times town tooo too told today to tired tipped tightening tried tight throughout through this think things thing they tracking try using up uses users used use us upward upping upcoming until trying unneeded unfortunately unfair understand under unable two twice ridiculous retiring locations no off now notified nothing not nonsense nonesence non nice offered next news newest new never needed need my offer offset multiple option over outside our others other original or options opportunity often opening opened ontario only oneday one once ok must much own loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe moving mistake moved move more months monthly month monetary mom mind me might merge memberships membership members member medical means overpriced owner retired raises reason really reality reactivate re rates rate raising raised recently raise quickly quality putting put pushed provider profits recent recession profiles repurposing resume resubscribe
Topic 31 | Coherence=-219013.92 | Top words= you extra my with share of about like increase when family bill money charging outside paying out don idea power me want limit because and grandkids news stay without sharing agree hosehold cant cost servicio el pagos por adicional squeeze spending waste card aunt covid sight husband can passed far expensive gonna gone expected going expenses goes fix get go given give girl gf getting everything every good got even gotten gouging euro especially entertainment great entertaining greed greedy enough guys end extortion face fixed gas flat first financially focused food for forcing hacked financial forever finally fiance forth few free feet fees feel frequent fee from fuel future fault fan fair games garbage fact youre having hackednot its keep justify just joint join job jacking itself it hacking issues issue isnt isn is iny intolerable into keeping keeps kept kidding limiting limited life letting let lesser less legacy left leave learning layoff later last laid lack kids interested instead inflation hiking hike higher high her help health he email havent have has hardly hard happy hand half had hikes history increments holder increasses increasing increases increased income in improvements im ill if hungry huge how households household house horrible emails down elsewhere begin biased biannually bf between better benefits benefit being before biggest been becoming became be barely bank back awhile biden billing else business care cannot cancelling canceling cancel bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically at addition alarming againlater again after afford addtional addresses additional adding as added activities acct accounts account access acceptance absurd all allow allowed almost aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already cared caring caused death direction different differences didnt deteriorated delivering declined decisions deal customer days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts eliminating edge easily earlier each duplicate due drive drastically drain live double dont done doesnt do divorce customers currently cell choice come combining combine college climbing climb city choose checking current cheaper charges charged charge changing changes changed change coming company compared competitive currency creep credit courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised little loyal living stealing subscriber sub stupid stranger stopping stopped stop stepdad states subscription starting started start spouses spouse spend span sorry subscribers subscriptions son temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer soon something right saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service someone sick some so situation single since significant signaling sign shoves services shouldn should short she shady several settled set there these they was what were went well weeks week we way warrant where wants wanted waiting wait vs virtue value vaccine whats while thing would youll yet years yearly year yall ya wouldn worth who workable work wont won willing will wife why ut using uses tipped tracking town tooo too told today to tired times users time tightening tight throughout through this think things tried try trying twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped ridiculous ll no off now notified nothing not nonsense nonesence non nice offered next newest new never needed need must multiple offer offset moving opportunity over our others other original or options option opening often opened ontario only oneday one once on ok much moved return lower manservices making makes make made luck loyalty your lost market losing loose looking longer long lol locations location many married move mind more months monthly month monetary moment mom mistake might may merge memberships membership members member medical means maybe overpriced own owner rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo owning residence retiring
Topic 32 | Coherence=-215162.27 | Top words= to have the for this back months is money come budget in few ill try will cut tight once due prices and high return bills trying againlater tightening much gas reduce possible job using may wait medical future as how added euro phone needed addresses benefit kids later great garbage greedy games guys hacked fuel greed getting get go good gonna gone going goes gotten given got give from girl gouging gf grandkids youre focused frequent fan fair fact face extra extortion expensive expenses expected everything every even especially entertainment entertaining enough end emails family far free fault forth forever forcing food hacking flat fixed fix first financially financial finally fiance feet fees feel fee hackednot hikes had into kept keeps keeping keep justify just joint join jacking itself its it issues issue isnt isn iny kidding lack laid letting live little limiting limited limit like life let last lesser less legacy left leave learning layoff intolerable interested half instead holder history hiking elsewhere hike higher her help health he having havent has hardly hard happy hand horrible hosehold house income inflation increments increasses increasing increases increased increase improvements household im if idea husband hungry huge households email drastically else being biggest biden biased biannually bf between better benefits begin billing before been becoming because became be barely bank bill billings away bye care card cant cannot cancelling canceling cancel can by bit but business buggin broke break boyfriend both blindly awhile automatically eliminating addition alarming agree again after afford adicional addtional additional adding allow activities acct accounts account access acceptance absurd about all allowed aunt anticonsumer at aren are apps aparently anyways anymore any another almost annually an amounts amount amercian am also already cared caring caused deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting customers customer direction discontinue cell drain el edge easily earlier each duplicate drive ll down disgusting double dont done don doesnt do divorce disgusts currently current currency checking combining combine college climbing climb city choose choice cheaper creep charging charges charged charge changing changes changed change coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised living loyal location start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber something some that scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled thanks thats locations week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why virtue wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing vs value their times tracking town tooo too told today tired tipped time twice throughout through think things thing they these there tried two vaccine upcoming ut uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under risen rise ripped not offset offered offer off of now notified nothing nonsense ok nonesence non no nice next news newest new often on need original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday never my right loyalty market many manservices making makes make made luck your maybe lower lost losing loose looking longer long lol married me must moment multiple moving moved move more monthly month monetary mom means mistake mind might merge memberships membership members member owner owning pagos rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo parent respect ridiculous
Topic 33 | Coherence=-218339.51 | Top words= it afford this now not price can anymore and at time my right using is lost job increase out cant budget spending happy for share interested just apps thanks month eliminating upping bills letting rising due monthly longer cannot vaccine second way tight won on frequent food limited forcing forever gas games garbage from forth free future get fuel gf getting good greedy greed great grandkids gouging gotten got gonna girl gone going goes limit go given give focused fix limiting flat extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere face fact fair fiance little fixed hacked first financially financial finally few family feet fees feel fee fault far fan guys keeping hackednot increasses intolerable into learning instead leave inflation increments increasing layoff increases increased income in improvements im ill iny isn hacking itself justify keeps joint join kept kidding jacking its isnt kids lack issues laid issue last later left if idea like high her help health he having havent have legacy has hardly hard keep hand half had life higher hike hikes husband hungry huge how households less household house lesser let hosehold horrible holder history hiking else youre el begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away but cared care card cancelling canceling cancel bye by business billing buggin broke break boyfriend both blindly bit billings awhile automatically edge adding againlater again after adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aunt annually as aren are aparently anyways any anticonsumer another an allow amounts amount amercian am also already almost allowed caring caused cell days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed change living easily earlier each duplicate drive drastically drain down double discontinue dont done don doesnt do divorce disgusts disgusting currently current currency choice come combining combine college climbing climb city choose checking creep cheaper charging charges charged charge changing changes changed coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised live loyal ll starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spend span sorry soon stupid subscriber something talk thats that thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription son someone ridiculous scales series sense selection seen seems see secure scaling saving services save same run rules rule rotating risen rise service servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short she sharing shady several settled the their there week where when whats what were went well weeks we who waste was warrant wants wanted want waiting wait while why these wouldn youll you yet years yearly year yall ya would wife worth workable work wont without with willing will vs virtue value tired tried tracking town tooo too told today to tipped ut times tightening throughout through think things thing they try trying twice two uses users used use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped return location nonesence offset offered offer off of notified nothing nonsense non ok no nice next news newest new never needed often once must original owner own overpriced over outside our others other or one options option opportunity opening opened ontario only oneday need multiple retiring luck married market many manservices making makes make made loyalty maybe your lower losing loose looking long lol locations may me much mom moving moved move more months money monetary moment mistake means mind might merge memberships membership members member medical owning pagos parent rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parents reside retired
Topic 34 | Coherence=-221405.20 | Top words= back be to will need my of end payment month move on in ill the price else continues rise with everything payday no next sight rotating already subscription own country something later resume week divorce provider soon subscriptions year join cut hikes date switching up life ll anymore games emails enough future garbage gas get fuel entertaining getting gf girl give fault given gotten greed great grandkids gouging elsewhere email got go good gonna gone going especially goes entertainment free from financial fact fair family first financially fan finally fixed fiance few far feet fees feel face flat frequent forcing fee euro forth forever even every expected extra expenses for food expensive focused extortion fix youre greedy issue just joint job jacking itself its it issues isnt increasses isn is iny intolerable into interested instead inflation justify keep keeping keeps limit like letting let lesser less legacy left leave learning layoff last laid lack kids kidding kept increments increasing guys eliminating high her help health he having havent have hardly increases hard happy hand half had hacking hackednot hacked higher hike hiking history increased increase income improvements im if idea husband hungry huge how households household house hosehold horrible holder has double el before biannually bf between better benefits benefit being begin been biden becoming because became barely bank awhile away automatically biased biggest at budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt as cannot adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren and are apps aparently anyways any anticonsumer another annually an all amounts amount amercian am also almost allowed allow cancelling cant edge day didnt deteriorated delivering declined decisions death deal days daughter different damn dad cutting customers customer currently current currency differences direction credit down easily earlier each duplicate due drive drastically drain limiting disappointed dont done don doesnt do disgusts disgusting discontinue creep covid card charge city choose choice checking cheaper charging charges charged changing climbing changes changed change cell caused caring cared care climb college courtesy consolidating costs cost continuous continue continually continously constantly constant consider combine connected compromised competitive compared company coming come combining limited loyal little started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry son stranger sub these temporarily their thats that thanks thank than terrible temporary taste subscriber talk taking take system support summer success subscribers someone some so scales sense selection seen seems see secure second scaling saving situation save same run rules rule rising risen ripped series service services servicio single since significant signaling sign sick shoves shouldn should short she sharing share shady several settled set there they live waste whats what were went well weeks we way was where warrant wants wanted want waiting wait vs virtue when while thing would youll you yet years yearly yall ya wouldn worth who workable work wont won without willing wife why value vaccine ut tipped tried tracking town tooo too told today tired times using time tightening tight throughout through this think things try trying twice two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable right ridiculous return nice off now notified nothing not nonsense nonesence non news offered newest new never needed must multiple much moving offer offset retiring option outside out our others other original or options opportunity often opening opened ontario only oneday one once ok moved more months lost making makes make made luck loyalty your lower losing monthly loose looking longer long lol locations location living manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may over overpriced owner rate recent reason really reality reactivate re rather rates raising profit raises raised raise quickly quality putting put pushed recently recession rectifying redo
Topic 35 | Coherence=-211965.84 | Top words= price have pay fee ridiculous use we you different where locations change upcoming keep anticonsumer upping prices amounts huge by customers worth fault history throughout raises waiting day the until constant lol in jacking will give great future gouging grandkids fuel greed gotten greedy guys hacked from frequent free games garbage forever gas got get getting good gf gonna girl gone going goes go given forth fix forcing face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else extra fact for fair food focused flat fixed hacking first financially financial finally fiance few feet fees feel far fan family hackednot he had joint lack kids kidding kept keeps keeping justify just join last job itself its it issues issue isnt isn laid later iny like location ll living live little limiting limited limit life layoff letting let lesser less legacy left leave learning is intolerable half help horrible holder hiking hikes hike higher high her health house el having havent has hardly hard happy hand hosehold household into increase interested instead inflation increments increasses increasing increases increased income households improvements im ill if idea husband hungry how eliminating youre edge becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased at break cancel can bye but business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest aunt as easily adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren and are apps aparently anyways anymore any another annually an all amount amercian am also already almost allowed allow canceling cancelling cannot damn delivering declined decisions death deal days daughter date dad didnt cutting cut customer currently current currency creep credit deteriorated differences cant dont earlier each duplicate due drive drastically drain down done direction don doesnt do divorce disgusts disgusting discontinue disappointed covid courtesy country charge city choose choice checking cheaper charging charges charged changing costs changes changed cell caused caring cared care card climb climbing college combine cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared company coming come combining double loyal long longer stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son something someone some stop stopped stopping switching terrible temporary temporarily taste talk taking take system support stranger summer success subscriptions subscription subscribers subscriber sub stupid so situation single save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series since short significant signaling sign sight sick shoves shouldn should she service sharing share shady several settled set servicio services than thank thanks was what were went well weeks week way waste warrant when wants wanted want wait vs virtue value vaccine whats while using would youll yet years yearly year yall ya wouldn workable who work wont won without with willing wife why ut uses that through today to tired tipped times time tightening tight this too think things thing they these there their thats told tooo users unemployed used us upward up unneeded unnecessary unfortunately unfair understand town under unable two twice trying try tried tracking right return retiring non off of now notified nothing not nonsense nonesence no offered nice next news newest new never needed need offer offset must opportunity out our others other original or options option opening often opened ontario only oneday one once on ok my multiple over make maybe may married market many manservices making makes made means luck loyalty your lower lost losing loose looking me medical much monetary moving moved move more months monthly month money moment member mom mistake mind might merge memberships membership members outside overpriced retired raising reason really reality reactivate re rather rates rate raised recently raise quickly quality putting put pushed provider profits recent recession profiles repurposing resume resubscribe
Topic 36 | Coherence=-225309.49 | Top words= subscription the and using that don money of share news raising want outside power family paying limit when prices bill increase idea keep to my too on charges fees hacked customers services another continously made spend fault restriction damn fair how even hard fix continue unable constantly getting charging added monthly at doesnt give going goes go given gf girl euro every everything expected expenses gone gonna get good got gotten gouging especially entertainment grandkids entertaining great greed greedy guys enough end expensive extortion first forever fixed financially financial flat focused finally food fiance for forcing few feet feel forth gas fee free frequent from far fuel future games fan fact face extra garbage youre havent hackednot its keeping justify just joint join job jacking itself it hacking issues issue isnt isn is iny intolerable into keeps kept kidding kids limiting limited like life letting let lesser less legacy left leave learning layoff later last laid lack interested instead inflation history hikes hike higher high her help health he having email have has hardly happy hand half had hiking holder increments horrible increasses increasing increases increased income in improvements im ill if husband hungry huge households household house hosehold emails drain elsewhere been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden cannot budget canceling cancel can bye by but business buggin broke biggest break boyfriend both blindly bit bills billings billing automatically aunt as addition againlater again after afford adicional addtional addresses additional adding aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed cancelling cant else deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date dad cutting cut customer currently direction discontinue card drive eliminating el edge easily earlier each duplicate due drastically disgusting live down double dont done do divorce disgusts current currency creep charge climbing climb city choose choice checking cheaper charged changing credit changes changed change cell caused caring cared care college combine combining come covid courtesy country costs cost continuous continues continually constant consolidating consider connected compromised competitive compared company coming little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending span sorry soon stupid subscriber something taste their thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions son someone ripped scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series servicio some sick so situation single since significant signaling sign sight shoves set shouldn should short she sharing shady several settled there these they week while where whats what were went well weeks we why way waste was warrant wants wanted waiting wait who wife thing wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs virtue value tipped try tried tracking town tooo told today tired times vaccine time tightening tight throughout through this think things trying twice two under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise right ll non offer off now notified nothing not nonsense nonesence no offset nice next newest new never needed need must offered often much options overpriced over out our others other original or option ok opportunity opening opened ontario only oneday one once multiple moving ridiculous lower many manservices making makes make luck loyalty your lost married losing loose looking longer long lol locations location market may moved mind move more months month monetary moment mom mistake might maybe merge memberships membership members member medical means me own owner owning rates recently recent reason really reality reactivate re rather rate rectifying raises raised raise quickly quality putting put pushed recession redo pagos residence return
Topic 37 | Coherence=-214610.44 | Top words= that to you up prices being keep re were means leave hiking cared wouldn understand enough begin of us greedy if ll high what this pay only about so when just with card allowed compromised is it subscription ill bank but wanted without told charged automatically fault acceptance reality entertainment boyfriend adding due kidding greed fuel getting future get gas garbage guys games got gf girl great given grandkids go goes gouging going gone gonna good gotten give fix from expected family fair fact face extra extortion expensive expenses everything far every even euro especially entertaining end emails email fan fee frequent fixed free forth forever forcing for food focused flat hackednot feel first financially financial finally fiance few feet fees hacked higher hacking had keeps keeping justify joint join job jacking itself its issues issue isnt isn iny intolerable into interested kept kids lack let little limiting limited limit like life letting lesser laid less legacy left learning layoff later last instead inflation increments having hikes hike else her help health he havent holder have has hardly hard happy hand half history horrible increasses im increasing increases increased increase income in improvements idea hosehold husband hungry huge how households household house elsewhere youre eliminating benefit biggest biden biased biannually bf between better benefits before aunt been becoming because became be barely back awhile bill billing billings bills care cant cannot cancelling canceling cancel can bye by business buggin budget broke break both blindly bit away at el addresses alarming agree againlater again after afford adicional addtional additional as addition added activities acct accounts account access absurd all allow almost already aren are apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also caring caused cell deal different differences didnt deteriorated delivering declined decisions death days change day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting edge easily earlier each duplicate drive drastically drain down double dont done live doesnt do divorce disgusts customer currently current company come combining combine college climbing climb city choose choice checking cheaper charging charges charge changing changes changed coming compared currency competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected don loyal living spend states starting started start squeeze spouses spouse spending span stealing sorry soon son something someone some situation single stay stepdad significant summer temporarily taste talk taking take system switching support success stop subscriptions subscribers subscriber sub stupid stranger stopping stopped since signaling retired rules secure second scaling scales saving save same run rule seems rotating rising risen rise ripped right ridiculous return see seen sign share sight sick shoves shouldn should short she sharing shady selection several settled set servicio services service series sense temporary terrible than wants well weeks week we way waste was warrant want whats waiting wait vs virtue value vaccine ut using went where thank worth youll yet years yearly year yall ya would workable while work wont won willing will wife why who uses users used think tired tipped times time tightening tight throughout through things use thing they these there their the thats thanks today too tooo town upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking retiring resume location next notified nothing not nonsense nonesence non no nice news off newest new never needed need my must multiple now offer moving opening our others other original or options option opportunity opened offered ontario oneday one once on ok often offset much moved resubscribe your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may move mistake more months monthly month money monetary moment mom mind maybe might merge memberships membership members member medical me out outside over quickly reactivate rather rates rate raising raises raised raise quality reason putting put pushed provider profits profit profiles problem really recent overpriced rent restriction
Topic 38 | Coherence=-213223.94 | Top words= don to need cut married and got my just month expenses have losing subscriptions memberships two due husband change job anymore get increased rent per almost enough costs consolidating getting now after recently date wife this feet must looking it retiring sharing am climbing having free when hacked greedy games gas fuel future garbage guys gf greed good girl give given go great grandkids goes going gouging from gotten gonna gone youre frequent expensive fan family fair fact face extra extortion expected fault everything every even euro especially entertainment entertaining far fee forth fixed forever forcing for food focused flat hacking fix feel first financially financial finally fiance few fees hackednot help had join kids kidding kept keeps keeping keep justify joint jacking half itself its issues issue isnt isn is iny lack laid last later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff intolerable into interested hosehold holder history hiking hikes hike higher high her emails health he havent has hardly hard happy hand horrible house instead household inflation increments increasses increasing increases increase income in improvements im ill if idea hungry huge how households end duplicate email begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings awhile automatically cant adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aunt anticonsumer at as aren are apps aparently anyways any another allow annually an amounts amount amercian also already allowed cannot card elsewhere death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter damn dad cutting customers customer disappointed disgusting current drive else eliminating el edge easily earlier each location drastically disgusts drain down double dont done doesnt do divorce currently currency care charges college climb city choose choice checking cheaper charging charged combining charge changing changes changed cell caused caring cared combine come creep continually credit covid courtesy country cost continuous continues continue continously coming constantly constant consider connected compromised competitive compared company ll loyal locations stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting started start squeeze spouses spouse spending spend subscriber subscription sorry temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer span soon these see servicio services service series sense selection seen seems secure settled second scaling scales saving save same run rules set several son signaling something someone some so situation single since significant sign shady sight sick shoves shouldn should short she share there they rotating we where whats what were went well weeks week way who waste was warrant wants wanted want waiting wait while why virtue wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs value thing tired try tried tracking town tooo too told today tipped twice times time tightening tight throughout through think things trying unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand rule rising lol of once on ok often offset offered offer off notified oneday nothing not nonsense nonesence non no nice next one only newest our pagos owning owner own overpriced over outside out others ontario other original or options option opportunity opening opened news new parents make me maybe may market many manservices making makes made medical luck loyalty your lower lost loose longer long means member never monthly needed multiple much moving moved move more months money members monetary moment mom mistake mind might merge membership parent passed risen re redo rectifying recession recent reason really reality reactivate rather reducing rates rate raising raises raised raise quickly quality reduce reflect put restriction rise ripped
Topic 39 | Coherence=-210685.10 | Top words= price the and anymore raising good keep no for letting share us before to market manservices drive pick competitive shouldn from its down members been run respect legacy rising preemptively canceling hike in increase use was as next rate agree keeps need moment forever fuel forcing forth free frequent life like let food focused flat kept games future limit gotten got less gonna gone going lesser goes go given give girl gf getting get gas garbage fixed finally fix even expensive expenses little expected everything live every euro extra especially entertainment entertaining enough end emails email extortion face first fees financially financial limited grandkids fiance few feet feel fact fee limiting fault far fan family fair gouging hackednot great later iny intolerable into interested instead inflation increments layoff ill increasses increasing increases learning increased income improvements is isn isnt issue kidding keeping kids justify just lack joint join job laid jacking itself last it issues im if greed hard health he having havent have has hardly happy idea hand half had hacking hacked guys greedy elsewhere left her high husband hungry leave huge how households household house hosehold horrible holder history hiking hikes higher help youre else cared biggest biden biased biannually bf between better benefits benefit being begin becoming because became be barely bank back awhile bill billing billings but card cant cannot cancelling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit away automatically aunt adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about againlater all at annually aren are apps aparently anyways any anticonsumer another an allow amounts amount amercian am also already almost allowed care caring eliminating caused different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer direction disappointed discontinue drastically el edge easily earlier each duplicate due ll drain disgusting double dont done don doesnt do divorce disgusts currently current currency cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming creep continue credit covid courtesy country costs cost continuous continues continually company continously constantly constant consolidating consider connected compromised compared living loyal location stealing subscriber sub stupid stranger stopping stopped stop stepdad stay subscription states starting started start squeeze spouses spouse spending subscribers subscriptions span temporary there their thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer spend sorry they see servicio services service series sense selection seen seems secure settled second scaling scales saving save same rules rule set several soon significant son something someone some so situation single since signaling shady sign sight sick shoves should short she sharing these thing locations weeks while where when whats what were went well week why we way waste warrant wants wanted want waiting who wife vs wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing wait virtue things tired try tried tracking town tooo too told today tipped twice times time tightening tight throughout through this think trying two value upcoming vaccine ut using uses users used upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rotating risen rise nothing often offset offered offer off of now notified not on nonsense nonesence non nice news newest new never ok once my original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday needed must ripped loyalty may married many making makes make made luck your me lower lost losing loose looking longer long lol maybe means multiple money much moving moved move more months monthly month monetary medical mom mistake mind might merge memberships membership member owner owning pagos re rectifying recession recently recent reason really reality reactivate rather reduce rates raises raised raise quickly quality putting put redo reducing parent restrict right
Topic 40 | Coherence=-221743.13 | Top words= charge you and for to raising my re going kids that up another extortion increase taste disgusting more unfair live intolerable in profit city profiles additional starting me subscriptions cost family fair went how quality im had keeps down even are set allow want months greedy cancel get tooo prices don moving account hackednot hardly give girl happy hard gf getting has hacked gas have garbage games future fuel given hand half go goes addresses gone gonna addition got gotten gouging grandkids great greed hacking guys good anticonsumer from frequent fees after feel fee fault far again fan againlater agree alarming fact face extra all expensive expenses feet few fiance focused free having forth forever forcing addtional food flat finally fixed fix first financially financial adicional afford havent her he isn kidding kept absurd acceptance keeping keep justify just joint join job jacking itself its it issues issue about lack laid let little limiting limited limit like life letting lesser last less legacy left leave learning layoff later isnt access health is hungry huge adding households household house hosehold horrible holder history hiking hikes hike higher high everything help husband idea if increasses iny into interested accounts instead inflation increments increasing ill increases increased acct income activities improvements added expected especially every blindly care card cant cannot amount cancelling canceling can bye by but business buggin budget broke break boyfriend cared caring amercian charges climb already choose choice checking cheaper charging also caused charged am changing changes changed change cell both bit euro bills became annually be barely bank back awhile away automatically aunt at as aren apps aparently anyways anymore because becoming been biannually billings amounts billing bill biggest biden biased bf an between better benefits benefit being begin before climbing college combine combining living double dont done doesnt do divorce disgusts discontinue disappointed direction different differences didnt deteriorated delivering declined drain drastically drive elsewhere any entertainment entertaining enough end emails email else due eliminating el edge easily earlier each duplicate decisions death deal consider continues continue continually continously constantly constant consolidating connected allowed compromised competitive compared company coming almost come continuous costs days customers day daughter date damn dad cutting cut customer country currently current currency creep credit covid courtesy youre loyal ll squeeze stopped stop stepdad stealing stay states started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some taking thats thanks thank than terrible temporary temporarily talk take sub system switching support summer success subscription subscribers subscriber someone so their saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service situation shouldn single since significant signaling sign sight sick shoves should services short she sharing share shady several settled servicio the there location we where when whats what were well weeks week way who waste was warrant wants wanted waiting wait vs while why value would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will virtue vaccine these time tracking town too told today tired tipped times tightening try tight throughout through this think things thing they tried trying ut upcoming using uses users used use us upward upping until twice unneeded unnecessary unfortunately unemployed understand under unable two ripped right ridiculous nonesence offer off of now notified nothing not nonsense non offset no nice next news newest new never needed offered often must option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on need multiple return your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may much mistake moved move monthly month money monetary moment mom mind maybe might merge memberships membership members member medical means over overpriced own rate recently recent reason really reality reactivate rather rates raises rectifying raised raise quickly putting put pushed provider profits recession redo owner residence retiring
Topic 41 | Coherence=-217588.42 | Top words= my subscription has with in an already are bf he moving husband elsewhere constantly raising take the business prices at same phone daughter own her got someone away wife will this residence passed of and hacking joint keeps married spouse get offered owner free budget often go happy live as double aparently moment face goes extra going given gotten extortion gone gonna expensive good expenses expected everything gouging every fair grandkids great even greed euro greedy especially entertainment entertaining guys hacked enough hackednot fact give family from fix financially fixed flat focused financial finally for fiance forcing forever forth few frequent fuel first feet fees future games garbage gas feel fee getting gf fault far girl fan food help had intolerable kidding kept keeping keep justify just join job jacking itself its it issues issue isnt isn is kids lack laid let little limiting limited limit like life letting lesser last less legacy left leave learning layoff later iny into half interested hosehold horrible holder history hiking hikes hike higher high emails health having havent have hardly hard hand house household households increase instead inflation increments increasses increasing increases increased income how improvements im ill if idea hungry huge end youre email benefit bill biggest biden biased biannually between better benefits being billings begin before been becoming because became be barely billing bills caused can cared care card cant cannot cancelling canceling cancel bye bit by but buggin broke break boyfriend both blindly bank back awhile adding again after afford adicional addtional addresses additional addition added automatically activities acct accounts account access acceptance absurd about againlater agree alarming all aunt aren apps anyways anymore any anticonsumer another annually amounts amount amercian am also almost allowed allow caring cell else death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day date damn dad cutting cut customers disappointed disgusting change living eliminating el edge easily earlier each duplicate due drastically disgusts drain down dont done don doesnt do divorce customer currently current choice come combining combine college climbing climb city choose checking currency cheaper charging charges charged charge changing changes changed coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised drive loyal ll stay sub stupid stranger stopping stopped stop stepdad stealing states subscribers starting started start squeeze spouses spending spend span subscriber subscriptions soon terrible these there their thats that thanks thank than temporary success temporarily taste talk taking system switching support summer sorry son risen secure services service series sense selection seen seems see second set scaling scales saving save run rules rule rotating servicio settled something sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady they thing things way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while think wouldn youll you yet years yearly year yall ya would who worth workable work wont won without willing why virtue value vaccine today trying try tried tracking town tooo too told to ut tired tipped times time tightening tight throughout through twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rising rise location non offer off now notified nothing not nonsense nonesence no ok nice next news newest new never needed need offset on multiple or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one must much ripped your many manservices making makes make made luck loyalty lower may lost losing loose looking longer long lol locations market maybe moved mistake move more months monthly month money monetary mom mind me might merge memberships membership members member medical means owning pagos parent re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raises raised raise quickly quality putting redo reducing parents restrict right
Topic 42 | Coherence=-224748.62 | Top words= and too many new prices raised the have expensive fees worth you anymore rules not money added charges passed away times just subscription gotten with account greedy dont subscriptions options adding she really rule stupid pricing biannually mom news now paying had owner raise no nothing disappointed what sub keep price parent owning policies easily ll lol pleased more person rates hackednot system waste aunt secure prescription horrible getting future gone fuel go given going give gf goes games garbage gas get girl from youre frequent free far fan family fair fact face extra extortion expenses expected everything every even euro especially entertainment entertaining fault fee feel fixed forth forever forcing for food focused flat fix feet first good financially financial finally fiance few gonna happy got income it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing increases increased its itself jacking lack left leave learning layoff later last laid kids job kidding kept keeps keeping justify joint join increase in gouging improvements help health he having havent has hardly hard end hand half hacking hacked guys greed great grandkids her high higher how im ill if idea husband hungry huge households hike household house hosehold holder history hiking hikes enough drain emails caring billing bill biggest biden biased bf between better benefits benefit being begin before been becoming because became be barely billings bills bit bye care card cant cannot cancelling canceling cancel can by blindly but business buggin budget broke break boyfriend both bank back awhile addresses alarming agree againlater again after afford adicional addtional additional allow addition activities acct accounts access acceptance absurd about all allowed automatically anticonsumer at as aren are apps aparently anyways any another almost annually an amounts amount amercian am also already cared caused email cell direction different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers discontinue disgusting disgusts due elsewhere else eliminating el edge earlier each duplicate drive divorce drastically less down double done don doesnt do customer currently current choice come combining combine college climbing climb city choose checking company cheaper charging charged charge changing changes changed change coming compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised legacy loyal lesser started stopping stopped stop stepdad stealing stay states starting start they squeeze spouses spouse spending spend span sorry soon stranger subscriber subscribers success there their thats that thanks thank than terrible temporary temporarily taste talk taking take switching support summer son something someone servicio service series sense selection seen seems see second scaling scales saving save same run rotating rising risen services set some settled so situation single since significant signaling sign sight sick shoves shouldn should short sharing share shady several these thing let way when whats were went well weeks week we was things warrant wants wanted want waiting wait vs virtue where while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife value vaccine ut twice try tried tracking town tooo told today to tired tipped time tightening tight throughout through this think trying two using unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped right must non nice next newest never needed need my multiple ridiculous much moving moved move months monthly month monetary nonesence nonsense notified of or option opportunity opening opened ontario only oneday one once on ok often offset offered offer off moment mistake mind your lost losing loose looking longer long locations location living live little limiting limited limit like life letting lower loyalty might luck merge memberships membership members member medical means me maybe may married market manservices making makes make made original other others reduce rectifying recession recently recent reason reality reactivate re rather rate raising raises quickly quality putting put pushed redo reducing profits
Topic 43 | Coherence=-218430.52 | Top words= you to that pay dont it for sharing guys cancel tried want people just make anymore are fact offer almost cant once used because shady business stop from making resubscribe well sense time doesnt decisions they at when something also raised caused don afford and biden inflation president by price thanks now charging declined yearly any what prefer right expensive constantly focused other warrant month locations do expenses politically days learning forever free forth forcing leave food frequent its layoff give gone going goes laid last go given later fuel girl gf getting get gas games future garbage legacy flat extortion family fair let face extra letting expected lesser everything every even euro especially entertainment fan far left finally fixed fix first financially good financial fiance fault few feet fees feel fee less gonna greedy got husband in improvements im join ill if idea hungry holder joint huge how households household house hosehold income increase increased increases issue isnt isn itself is iny jacking intolerable into interested instead increments increasses increasing job horrible history gotten hackednot hardly hard happy hand half had hacking kids hiking hacked lack issues greed great grandkids gouging has have havent kidding hikes justify hike keep higher keeping high keeps kept her help health enough he having entertaining youre end billing biggest biased biannually bf between better benefits benefit being begin before been becoming became be barely bank bill billings awhile bills cared care card cannot cancelling canceling can bye but buggin budget broke break boyfriend both blindly bit back away cell agree again after adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about againlater alarming automatically all aunt as aren apps aparently anyways anticonsumer another annually an amounts amount amercian am already allowed allow caring change emails disgusts discontinue disappointed direction different differences didnt deteriorated delivering death deal day daughter date damn dad cutting cut disgusting divorce customer like email elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double done customers currently changed compared coming come combining combine college climbing climb city choose choice checking cheaper charges charged charge changing changes company competitive current compromised currency creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected life loyal limit spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son someone some stopped stopping stranger stupid terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription subscribers subscriber sub so single thank run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped ridiculous return seems seen selection series significant signaling sign sight sick shoves shouldn should short she share several settled set servicio services service than thats retired waste where whats were went weeks week we way was using wants wanted waiting wait vs virtue value vaccine while who why wife youll yet years year yall ya wouldn would worth workable work wont won without with willing will ut uses the tight tooo too told today tired tipped times tightening throughout users through this think things thing these there their town tracking try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring resume limited never nonesence non no nice next news newest new needed months need my must multiple much moving moved move nonsense not nothing notified or options option opportunity opening opened ontario only oneday one on ok often offset offered off of more monthly others looking made luck loyalty your lower lost losing loose longer money long lol location ll living live little limiting makes manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married original our restriction raise reality reactivate re rather rates rate raising raises quickly pricing quality putting put pushed provider profits profit profiles really reason recent recently
Topic 44 | Coherence=-219680.44 | Top words= price the your of months has and to hike for in are out like increases that me selection just was year since gone cancel member hikes drastically deteriorated hand span biannually lack will up getting rate change far time month over increasses offset each two got pushed edge first it tried increasing stupid let town tired short didnt again annually amount twice agree pls lower shady broke wait buggin be covid sight is every kids creep absurd euro changes going give given games go gas gonna girl get from gf garbage good fuel future goes youre frequent free fan family fair fact face extra extortion expensive expenses expected everything even especially entertainment entertaining fault fee feel fixed forth forever forcing food focused flat fix fees gotten financial finally fiance few feet financially help gouging iny jacking itself its issues issue isnt isn intolerable join into interested instead inflation increments increased increase job joint grandkids layoff letting lesser less legacy left leave learning later justify last laid kidding kept keeps keeping keep income improvements im half he having havent have hardly hard happy had ill hacking hackednot hacked guys greedy greed great health end her high if idea husband hungry huge how households household house hosehold horrible holder history hiking higher enough do emails bill biden biased bf between better benefits benefit being begin before been becoming because became barely bank back biggest billing away billings card cant cannot cancelling canceling can bye by but business budget break boyfriend both blindly bit bills awhile automatically cared all againlater after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance about alarming allow aunt allowed at as aren apps aparently anyways anymore any anticonsumer another an amounts amercian am also already almost care caring email discontinue direction different differences delivering declined decisions death deal days day daughter date damn dad cutting cut customers disappointed disgusting currently disgusts elsewhere else eliminating el easily earlier duplicate due drive drain down double dont done don doesnt divorce customer current caused coming combining combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changed cell come company currency compared credit courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive life loyal limit spouse stealing stay states starting started start squeeze spouses spending stop spend sorry soon son something someone some so stepdad stopped limited switching terrible temporary temporarily taste talk taking take system support stopping summer success subscriptions subscription subscribers subscriber sub stranger situation single significant rotating scaling scales saving save same run rules rule rising signaling risen rise ripped right ridiculous return retiring retired second secure see seems sign sick shoves shouldn should she sharing share several settled set servicio services service series sense seen than thank thanks week where when whats what were went well weeks we value way waste warrant wants wanted want waiting vs while who why wife youll you yet years yearly yall ya wouldn would worth workable work wont won without with willing virtue vaccine thats throughout tooo too told today tipped times tightening tight through ut this think things thing they these there their tracking try trying unable using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under resume resubscribe restriction newest not nonsense nonesence non no nice next news new move never needed need my must multiple much moving nothing notified now off original or options option opportunity opening opened ontario only oneday one once on ok often offered offer moved more others longer make made luck loyalty lost losing loose looking long monthly lol locations location ll living live little limiting makes making manservices many money monetary moment mom mistake mind might merge memberships membership members medical means maybe may married market other our restrict quickly reactivate re rather rates raising raises raised raise quality president putting put provider profits profit profiles problem pricing reality really reason recent
Topic 45 | Coherence=-215012.59 | Top words= to raised price the like for your way expensive used high not shady once long almost also so offer renewing while fact be others compared switching will has workable fees prescription business back taking over gotten continue city increasing acceptance take gas hacked getting get garbage gf hackednot games future guys fuel gonna greedy greed girl give given go great grandkids goes going gone gouging got good youre from frequent family fair face extra extortion expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere fan far fault fixed free forth forever forcing food had focused flat fix fee first financially financial finally fiance few feet feel hacking having half jacking keeps keeping keep justify just joint join job itself hand its it issues issue isnt isn is iny kept kidding kids lack little limiting limited limit life letting let lesser less legacy left leave learning layoff later last laid intolerable into interested house horrible holder history hiking hikes hike higher her help health he eliminating havent have hardly hard happy hosehold household instead households inflation increments increasses increases increased increase income in improvements im ill if idea husband hungry huge how else down el begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank awhile away biden bill aunt buggin cannot cancelling canceling cancel can bye by but budget billing broke break boyfriend both blindly bit bills billings automatically at card addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow and an amounts amount amercian am already allowed cant care edge days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current living easily earlier each duplicate due drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting currently currency cared charges college climbing climb choose choice checking cheaper charging charged combining charge changing changes changed change cell caused caring combine come creep continually credit covid courtesy country costs cost continuous continues continously coming constantly constant consolidating consider connected compromised competitive company live loyal ll start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone taste thats that thanks thank than terrible temporary temporarily talk sub system support summer success subscriptions subscription subscribers subscriber something some there saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service situation shouldn single since significant signaling sign sight sick shoves should services short she sharing share several settled set servicio their these location waste whats what were went well weeks week we was where warrant wants wanted want waiting wait vs virtue when who vaccine wouldn youll you yet years yearly year yall ya would why worth work wont won without with willing wife value ut they times tracking town tooo too told today tired tipped time try tightening tight throughout through this think things thing tried trying using until uses users use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two ripped right ridiculous nice of now notified nothing nonsense nonesence non no next offered news newest new never needed need my must off offset much option overpriced outside out our other original or options opportunity often opening opened ontario only oneday one on ok multiple moving return luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking longer lol locations may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical own owner owning rate recent reason really reality reactivate re rather rates raising recession raises raise quickly quality putting put pushed provider recently rectifying pagos residence retiring
 96%|█████████▌| 46/48 [3:14:57<13:24, 402.18s/it]
Topic 46 | Coherence=-227791.04 | Top words= one need you my have subscription or only made putting other activities are already choose so into price between kids increase and expensive that dont me this to up even anymore go continue has with an boyfriend the moved in squeeze stepdad yet out try people prices we combine households biannually remarried caused profits life than expenses everything billing over not hosehold make frequent gas from free forth fuel forever future forcing games for garbage interested getting get focused gotten got good gonna layoff gone going goes learning leave given left give girl gf food first flat fixed fair let fact face extra extortion letting expected every euro especially entertainment entertaining enough end family fan far finally fix grandkids financially legacy less financial fiance fault few feet fees feel lesser fee gouging last later great if its idea husband hungry huge itself how jacking household house job horrible join holder it issues ill increased inflation increments increasses increasing intolerable increases iny im is income isn improvements isnt issue history hiking hikes lack kept hand half kidding had hacking hackednot happy laid hacked guys greedy instead greed keeps hard hike health higher high joint her just help emails hardly he justify having havent keep keeping youre down email begin biggest biden biased bf better benefits benefit being before billings been becoming because became be barely bank back bill bills caring bye care card cant cannot cancelling canceling cancel can by bit but business buggin budget broke break both blindly awhile away automatically addition againlater again after afford adicional addtional addresses additional adding aunt added acct accounts account access acceptance absurd about agree alarming all allow at as aren apps aparently anyways any anticonsumer another annually amounts amount amercian am also almost allowed cared cell elsewhere decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts change due else eliminating el edge easily earlier each duplicate drive divorce drastically drain limit double done don doesnt do cut customers customer choice company coming come combining college climbing climb city checking currently cheaper charging charges charged charge changing changes changed compared competitive compromised connected current currency creep credit covid courtesy country costs cost continuous continues continually continously constantly constant consolidating consider like loyal limited spouses stopped stop stealing stay states starting started start spouse stranger spending spend span sorry soon son something someone stopping stupid limiting taking thats thanks thank terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some situation single saving selection seen seems see secure second scaling scales save since same run rules rule rotating rising risen rise sense series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio their there these way when whats what were went well weeks week waste value was warrant wants wanted want waiting wait vs where while who why youll years yearly year yall ya wouldn would worth workable work wont won without willing will wife virtue vaccine they tipped tried tracking town tooo too told today tired times ut time tightening tight throughout through think things thing trying twice two unable using uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous news notified nothing nonsense nonesence non no nice next newest months new never needed must multiple much moving move now of off offer outside our others original options option opportunity opening opened ontario oneday once on ok often offset offered more monthly own looking makes luck loyalty your lower lost losing loose longer month long lol locations location ll living live little making manservices many market money monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married overpriced owner return rates recently recent reason really reality reactivate re rather rate profit raising raises raised raise quickly quality put pushed recession rectifying redo reduce
Average topic coherence for the top words is -219300.19926854793
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.13it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.14it/s]
  6%|▌         | 3/50 [00:00<00:09,  5.11it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.13it/s]
 10%|█         | 5/50 [00:00<00:08,  5.10it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.09it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.12it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.12it/s]
 18%|█▊        | 9/50 [00:01<00:08,  5.12it/s]
 20%|██        | 10/50 [00:01<00:07,  5.13it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.14it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.14it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.15it/s]
 28%|██▊       | 14/50 [00:02<00:06,  5.15it/s]
 30%|███       | 15/50 [00:02<00:06,  5.15it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.14it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.14it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.14it/s]
 38%|███▊      | 19/50 [00:03<00:06,  5.15it/s]
 40%|████      | 20/50 [00:03<00:05,  5.14it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.15it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.15it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.15it/s]
 48%|████▊     | 24/50 [00:04<00:05,  5.16it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.18it/s]
 52%|█████▏    | 26/50 [00:05<00:04,  5.17it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.16it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.14it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.16it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.13it/s]
 62%|██████▏   | 31/50 [00:06<00:03,  5.14it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.10it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.06it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.08it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.09it/s]
 72%|███████▏  | 36/50 [00:07<00:02,  5.10it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.09it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.12it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.13it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.15it/s]
 82%|████████▏ | 41/50 [00:07<00:01,  5.15it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.14it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.12it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.11it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.11it/s]
 92%|█████████▏| 46/50 [00:08<00:00,  5.13it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.14it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.14it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.15it/s]
100%|██████████| 50/50 [00:09<00:00,  5.13it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.49it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.37it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.14it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.18it/s]
 10%|█         | 5/50 [00:00<00:07,  6.22it/s]
 12%|█▏        | 6/50 [00:00<00:07,  6.23it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.21it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.22it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.24it/s]
 20%|██        | 10/50 [00:01<00:06,  6.22it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.19it/s]
 24%|██▍       | 12/50 [00:01<00:06,  6.22it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.25it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.28it/s]
 30%|███       | 15/50 [00:02<00:05,  6.28it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.28it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.27it/s]
 36%|███▌      | 18/50 [00:02<00:05,  6.28it/s]
 38%|███▊      | 19/50 [00:03<00:04,  6.29it/s]
 40%|████      | 20/50 [00:03<00:04,  6.28it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.28it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.27it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.28it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.29it/s]
 50%|█████     | 25/50 [00:03<00:03,  6.29it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.28it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.28it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.30it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.28it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.28it/s]
 62%|██████▏   | 31/50 [00:04<00:03,  6.28it/s]
 64%|██████▍   | 32/50 [00:05<00:02,  6.29it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.29it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.28it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.28it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.29it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.30it/s]
 76%|███████▌  | 38/50 [00:06<00:01,  6.30it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.28it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.26it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.27it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.29it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.25it/s]
 88%|████████▊ | 44/50 [00:07<00:00,  6.24it/s]
 90%|█████████ | 45/50 [00:07<00:00,  6.25it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.26it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.26it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.28it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.29it/s]
100%|██████████| 50/50 [00:07<00:00,  6.27it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.39it/s]
  4%|▍         | 2/50 [00:00<00:14,  3.36it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.38it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.36it/s]
 10%|█         | 5/50 [00:01<00:13,  3.36it/s]
 12%|█▏        | 6/50 [00:01<00:13,  3.37it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.37it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.37it/s]
 18%|█▊        | 9/50 [00:02<00:12,  3.37it/s]
 20%|██        | 10/50 [00:02<00:11,  3.37it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.37it/s]
 24%|██▍       | 12/50 [00:03<00:11,  3.35it/s]
 26%|██▌       | 13/50 [00:03<00:11,  3.35it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.33it/s]
 30%|███       | 15/50 [00:04<00:10,  3.33it/s]
 32%|███▏      | 16/50 [00:04<00:10,  3.35it/s]
 34%|███▍      | 17/50 [00:05<00:09,  3.36it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.37it/s]
 38%|███▊      | 19/50 [00:05<00:09,  3.38it/s]
 40%|████      | 20/50 [00:05<00:08,  3.38it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.37it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.39it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.39it/s]
 48%|████▊     | 24/50 [00:07<00:07,  3.39it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.38it/s]
 52%|█████▏    | 26/50 [00:07<00:07,  3.37it/s]
 54%|█████▍    | 27/50 [00:08<00:06,  3.38it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.37it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.38it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.38it/s]
 62%|██████▏   | 31/50 [00:09<00:05,  3.36it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.35it/s]
 66%|██████▌   | 33/50 [00:09<00:05,  3.35it/s]
 68%|██████▊   | 34/50 [00:10<00:04,  3.37it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.37it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.37it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.37it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.37it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.36it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.36it/s]
 82%|████████▏ | 41/50 [00:12<00:02,  3.35it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.35it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.36it/s]
 88%|████████▊ | 44/50 [00:13<00:01,  3.36it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.35it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.36it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.35it/s]
 96%|█████████▌| 48/50 [00:14<00:00,  3.36it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.34it/s]
100%|██████████| 50/50 [00:14<00:00,  3.36it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.63it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.60it/s]
  6%|▌         | 3/50 [00:01<00:18,  2.60it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.60it/s]
 10%|█         | 5/50 [00:01<00:17,  2.60it/s]
 12%|█▏        | 6/50 [00:02<00:16,  2.60it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.60it/s]
 16%|█▌        | 8/50 [00:03<00:16,  2.60it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.60it/s]
 20%|██        | 10/50 [00:03<00:15,  2.61it/s]
 22%|██▏       | 11/50 [00:04<00:14,  2.60it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.60it/s]
 26%|██▌       | 13/50 [00:05<00:14,  2.59it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.59it/s]
 30%|███       | 15/50 [00:05<00:13,  2.59it/s]
 32%|███▏      | 16/50 [00:06<00:13,  2.61it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.61it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.61it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.61it/s]
 40%|████      | 20/50 [00:07<00:11,  2.61it/s]
 42%|████▏     | 21/50 [00:08<00:11,  2.61it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.61it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.61it/s]
 48%|████▊     | 24/50 [00:09<00:09,  2.61it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.61it/s]
 52%|█████▏    | 26/50 [00:09<00:09,  2.59it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.59it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.60it/s]
 58%|█████▊    | 29/50 [00:11<00:08,  2.60it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.61it/s]
 62%|██████▏   | 31/50 [00:11<00:07,  2.61it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.61it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.61it/s]
 68%|██████▊   | 34/50 [00:13<00:06,  2.61it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.61it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.61it/s]
 74%|███████▍  | 37/50 [00:14<00:04,  2.62it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.60it/s]
 78%|███████▊  | 39/50 [00:14<00:04,  2.61it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.60it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.60it/s]
 84%|████████▍ | 42/50 [00:16<00:03,  2.61it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.61it/s]
 88%|████████▊ | 44/50 [00:16<00:02,  2.62it/s]
 90%|█████████ | 45/50 [00:17<00:01,  2.62it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.62it/s]
 94%|█████████▍| 47/50 [00:18<00:01,  2.62it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.61it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.61it/s]
100%|██████████| 50/50 [00:19<00:00,  2.61it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:28,  1.72it/s]
  4%|▍         | 2/50 [00:01<00:28,  1.71it/s]
  6%|▌         | 3/50 [00:01<00:27,  1.71it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.72it/s]
 10%|█         | 5/50 [00:02<00:26,  1.72it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.72it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.72it/s]
 16%|█▌        | 8/50 [00:04<00:24,  1.72it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.72it/s]
 20%|██        | 10/50 [00:05<00:23,  1.72it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.72it/s]
 24%|██▍       | 12/50 [00:06<00:22,  1.72it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.72it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.72it/s]
 30%|███       | 15/50 [00:08<00:20,  1.72it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.72it/s]
 34%|███▍      | 17/50 [00:09<00:19,  1.73it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.73it/s]
 38%|███▊      | 19/50 [00:11<00:18,  1.72it/s]
 40%|████      | 20/50 [00:11<00:17,  1.71it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.72it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.72it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.72it/s]
 48%|████▊     | 24/50 [00:13<00:15,  1.71it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.72it/s]
 52%|█████▏    | 26/50 [00:15<00:13,  1.72it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.72it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.72it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.71it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.71it/s]
 62%|██████▏   | 31/50 [00:18<00:11,  1.72it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.72it/s]
 66%|██████▌   | 33/50 [00:19<00:09,  1.72it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.72it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.72it/s]
 72%|███████▏  | 36/50 [00:20<00:08,  1.73it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.72it/s]
 76%|███████▌  | 38/50 [00:22<00:06,  1.72it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.72it/s]
 80%|████████  | 40/50 [00:23<00:05,  1.72it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.72it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.71it/s]
 86%|████████▌ | 43/50 [00:25<00:04,  1.72it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.72it/s]
 90%|█████████ | 45/50 [00:26<00:02,  1.72it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.72it/s]
 94%|█████████▍| 47/50 [00:27<00:01,  1.71it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.71it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.71it/s]
100%|██████████| 50/50 [00:29<00:00,  1.72it/s]

100%|██████████| 50/50 [00:00<00:00, 1388.97it/s]
Topic 0 | Coherence=-228569.63 | Top words= price the your raising not increase for are is keep to of now year anymore prices share out will it us months willing paying charge support letting options kept ridiculous can im hikes rate great every people offset each something increasses stop less up budget using cancel services only creep constant member absurd became higher lack done justify cheaper since please made if twice happy nonesence from profits profiles subscription pls original lower wont fault or getting hand at kidding ok subscriptions sub horrible extra rotating disappointed hiking flat fixed fix financial first financially food finally fiance focused joint feet free garbage games future fuel issues frequent its join forth itself forever jacking forcing job few just fees feel entertaining entertainment especially euro even leave everything expected learning layoff later expenses expensive extortion face fact last fair family fan laid kids far keeps fee keeping get gas isn issue have hacking improvements had half end ill hard idea hardly has husband hungry huge how in households havent having household house he hosehold health help her high hike holder hackednot hacked isnt good history iny intolerable gf into girl give given go goes going gone gonna got guys gotten gouging interested grandkids instead greed inflation increments increasing increases greedy increased income enough youre emails begin biased biannually bf between better benefits benefit being before biggest been becoming because be barely bank back awhile biden bill automatically business card cant cannot cancelling canceling bye by but buggin billing broke break boyfriend both blindly bit bills billings away aunt email addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance about agree all as and aren apps aparently anyways any anticonsumer another annually an allow amounts amount amercian am also already almost allowed care cared caring death direction different differences didnt deteriorated delivering declined decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts caused due elsewhere else eliminating el edge easily earlier duplicate drive divorce drastically drain down double left don doesnt do customers customer currently choice come combining combine college climbing climb city choose checking current charging charges charged changing changes changed change cell coming company compared competitive currency credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised dont loyal legacy start stopping stopped stepdad stealing stay states starting started squeeze return spouses spouse spending spend span sorry soon son stranger stupid subscriber subscribers their thats that thanks thank than terrible temporary temporarily taste talk taking take system switching summer success someone some so sense seen seems see secure second scaling scales saving save same run rules rule rising risen rise ripped selection series situation service single significant signaling sign sight sick shoves shouldn should short she sharing shady several settled set servicio there these they where whats what were went well weeks week we way waste was warrant wants wanted want waiting wait when while virtue who youll you yet years yearly yall ya wouldn would worth workable work won without with wife why vs value thing try tracking town tooo too told today tired tipped times time tightening tight throughout through this think things tried trying vaccine two ut uses users used use upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable right retiring lesser multiple news newest new never needed need my must much retired moving moved move more monthly month money monetary next nice no non other option opportunity opening opened ontario oneday one once on often offered offer off notified nothing nonsense moment mom mistake lost loose looking longer long lol locations location ll living live little limiting limited limit like life let losing loyalty mind luck might merge memberships membership members medical means me maybe may married market many manservices making makes make others our outside recession recent reason really reality reactivate re rather rates raises raised raise quickly quality putting put pushed provider recently rectifying problem
Topic 1 | Coherence=-215790.36 | Top words= price other of continues benefit climb the added have more need will end month in services payment scales continually tipped goes finally direction no one selection move back be spending job cutting im later cost future get on euro especially go given give girl every gf even getting everything expected going fees gas greed hacking hackednot hacked guys emails greedy enough great gonna entertaining grandkids gouging gotten got good entertainment gone expenses feel financially flat fixed fix first family fan financial food far fault fiance fee few feet focused fair garbage extra expensive games fuel extortion from frequent face for free forth forever fact forcing had youre health half join kidding kept keeps keeping keep justify just joint jacking lack itself its it issues issue isnt isn is kids laid hand life ll living live little limiting limited limit like letting last let lesser less legacy left leave learning layoff iny intolerable into her horrible holder history hiking hikes hike higher high help interested elsewhere he having havent has hardly hard happy hosehold house household households instead inflation increments increasses increasing increases increased increase income improvements ill if idea husband hungry huge how email due else eliminating biased biannually bf between better benefits being begin before been becoming because became barely bank awhile away automatically aunt biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings at as aren addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all are and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot cant card deal different differences didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cut customers customer disappointed disgusting current drastically el edge easily earlier each duplicate locations drive drain disgusts down double dont done don doesnt do divorce currently currency care charged climbing city choose choice checking cheaper charging charges charge combine changing changes changed change cell caused caring cared college combining creep constantly credit covid courtesy country costs continuous continue continously constant come consolidating consider connected compromised competitive compared company coming location loyal lol long subscription subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse subscriptions success summer than they these there their thats that thanks thank terrible support temporary temporarily taste talk taking take system switching spend span sorry see settled set servicio service series sense seen seems secure shady second scaling saving save same run rules rule several share soon significant son something someone some so situation single since signaling sharing sign sight sick shoves shouldn should short she thing things think week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why vs wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing wait virtue this told twice trying try tried tracking town tooo too today unable to tired times time tightening tight throughout through two under value upward vaccine ut using uses users used use us upping understand upcoming up until unneeded unnecessary unfortunately unfair unemployed rotating rising risen nothing ok often offset offered offer off now notified not oneday nonsense nonesence non nice next news newest new once only needed out parent pagos owning owner own overpriced over outside our ontario others original or options option opportunity opening opened never my passed made may married market many manservices making makes make luck me loyalty your lower lost losing loose looking longer maybe means must moment multiple much moving moved months monthly money monetary mom medical mistake mind might merge memberships membership members member parents past rise reality reduce redo rectifying recession recently recent reason really reactivate reflect re rather rates rate raising raises raised raise reducing rejoin quality restriction ripped right
Topic 2 | Coherence=-220141.11 | Top words= to pay is my was not charged after card because do but without wanted bill that automatically have too so option compromised increase it bank an allowed what told willing am be high can should think this half afford much way and the keep declined worth quality customer caring earlier isnt greedy getting hackednot get gas games hacked garbage hacking guys great gf greed girl give given go grandkids goes going gouging gotten got good gonna gone youre future fee far fan family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough fault feel fuel fees from frequent free forth forever forcing for food focused flat fixed fix first financially financial finally fiance few feet had hiking hand into kids kidding kept keeps keeping justify just joint join job jacking itself its issues issue isn iny lack laid last letting live little limiting limited limit like life let later lesser less legacy left leave learning layoff intolerable interested happy instead hosehold horrible holder history emails hikes hike higher her help health he having havent has hardly hard house household households in inflation increments increasses increasing increases increased income improvements how im ill if idea husband hungry huge end don email billings biggest biden biased biannually bf between better benefits benefit being begin before been becoming became barely back billing bills away bit cared care cant cannot cancelling canceling cancel bye by business buggin budget broke break boyfriend both blindly awhile aunt cell alarming againlater again adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree all at allow as aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian also already almost caused change elsewhere disgusting disappointed direction different differences didnt deteriorated delivering decisions death deal days day daughter date damn dad cutting discontinue disgusts customers divorce else eliminating el edge easily each duplicate due drive drastically drain down double dont done ll doesnt cut currently changed compared coming come combining combine college climbing climb city choose choice checking cheaper charging charges charge changing changes company competitive current connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider living loyal location spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some situation stealing stop since summer temporarily taste talk taking take system switching support success stopped subscriptions subscription subscribers subscriber sub stupid stranger stopping single significant terrible rules secure second scaling scales saving save same run rule seems rotating rising risen rise ripped right ridiculous return see seen signaling share sign sight sick shoves shouldn short she sharing shady selection several settled set servicio services service series sense temporary than locations warrant whats were went well weeks week we waste wants where want waiting wait vs virtue value vaccine ut when while uses wouldn youll you yet years yearly year yall ya would who workable work wont won with will wife why using users thank throughout tooo today tired tipped times time tightening tight through tracking things thing they these there their thats thanks town tried used unnecessary use us upward upping upcoming up until unneeded unfortunately try unfair unemployed understand under unable two twice trying retiring retired resume no off of now notified nothing nonsense nonesence non nice offered next news newest new never needed need must offer offset moving opportunity outside out our others other original or options opening often opened ontario only oneday one once on ok multiple moved resubscribe loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe move mistake more months monthly month money monetary moment mom mind me might merge memberships membership members member medical means over overpriced own raised reality reactivate re rather rates rate raising raises raise reason quickly putting put pushed provider profits profit profiles really recent owner rent restriction
Topic 3 | Coherence=-219549.46 | Top words= and when can greedy be ll enough re keep prices being cared means begin wouldn understand up leave with were hiking what if back high us only about you got are this that of to increases laid off saving constant ridiculous will dad more continuous ill problem broke deal rotating else something why profits need sharing feet kidding since horrible flat intolerable for forth forever forcing focused food fixed fix first financially free from frequent financial goes go given give girl gf getting get layoff gas garbage games future fuel learning left few finally extortion expenses expected everything life every even euro especially entertainment entertaining like end emails email elsewhere expensive extra fiance face gone legacy less fees lesser feel fee let fault far fan family letting fair fact going good gonna its improvements im jacking job idea husband join hungry huge how households household house hosehold joint itself in into income interested iny instead inflation increments is isn increasses isnt increasing issue issues it increased increase holder just justify history happy hand half had hacking hackednot hacked guys last greed great grandkids gouging gotten later hard hardly has her keeping keeps hikes hike higher kept kids have eliminating health lack he having havent help youre el before biden biased biannually bf between better benefits benefit been at becoming because became barely bank awhile away automatically biggest bill billing billings cant cannot cancelling canceling cancel bye by but business buggin budget break boyfriend both blindly bit bills aunt as care addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account access acceptance absurd agree alarming all allow apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed card caring edge death direction different differences didnt deteriorated delivering declined decisions days current day daughter date damn cutting cut customers customer disappointed discontinue disgusting disgusts easily earlier each duplicate due drive drastically drain down double dont done don doesnt limited do divorce currently currency caused cheaper combine college climbing climb city choose choice checking charging creep charges charged charge changing changes changed change cell combining come coming company credit covid courtesy country costs cost continues continue continually continously constantly consolidating consider connected compromised competitive compared limit loyal limiting spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son someone some so stepdad stopped than support temporary temporarily taste talk taking take system switching summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger situation single significant rules see secure second scaling scales save same run rule signaling rising risen rise ripped right return retiring retired seems seen selection sense sign sight sick shoves shouldn should short she share shady several settled set servicio services service series terrible thank little wanted weeks week we way waste was warrant wants want went waiting wait vs virtue value vaccine ut using well whats thanks worth youll yet years yearly year yall ya would workable where work wont won without willing wife who while uses users used through today tired tipped times time tightening tight throughout think use things thing they these there their the thats told too tooo town upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking resume resubscribe restriction newest not nonsense nonesence non no nice next news new notified never needed my must multiple much moving moved nothing now restrict opened others other original or options option opportunity opening ontario offer oneday one once on ok often offset offered move months monthly losing makes make made luck loyalty your lower lost loose month looking longer long lol locations location living live making manservices many market money monetary moment mom mistake mind might merge memberships membership members member medical me maybe may married our out outside quickly reactivate rather rates rate raising raises raised raise quality prescription putting put pushed provider profit profiles pricing price reality really reason recent
Topic 4 | Coherence=-219425.26 | Top words= to increase is year price and every back be profit added starting nothing seems it profiles greedy when prices really good ok last but additional move after being end support won month opportunity payment need again the re at increases tired pay trying loyal isnt offered something raise climb continues hiking going gonna caused longer entertaining gouging much frequent fuel from forcing free forth forever for food focused future get games garbage gas getting gf girl give given go goes gone legacy got left leave flat less fixed fair fact face like extra extortion expensive expenses expected everything limit even euro especially entertainment enough life family fix fan first financially lesser let financial finally fiance letting few feet fees feel fee fault far gotten great learning joint justify income in improvements keep im ill if idea husband hungry huge how keeping keeps just increased households join issue iny intolerable issues into its interested instead itself inflation jacking job increments increasses increasing kept household grandkids havent has hardly hard happy later hand half had hacking hackednot hacked guys layoff greed isn have having house he hosehold horrible holder history kidding kids hikes hike higher lack high her help emails laid health drive email better billing bill biggest biden biased biannually bf between benefits bills benefit begin before been becoming because became barely billings bit awhile can cared care card cant cannot cancelling canceling cancel bye blindly by business buggin budget broke break boyfriend both bank away cell addition all alarming agree againlater afford adicional addtional addresses adding allowed activities acct accounts account access acceptance absurd about allow almost automatically any aunt as aren are apps aparently anyways anymore anticonsumer already another annually an amounts amount amercian am also caring change elsewhere declined discontinue disappointed direction different differences didnt deteriorated delivering decisions disgusts death deal days day daughter date damn dad disgusting divorce cut due else eliminating el edge easily earlier each duplicate limiting do drastically drain down double dont done don doesnt cutting customers changed choose company coming come combining combine college climbing city choice competitive checking cheaper charging charges charged charge changing changes compared compromised customer costs currently current currency creep credit covid courtesy country cost connected continuous continue continually continously constantly constant consolidating consider limited youre little states stupid stranger stopping stopped stop stepdad stealing stay started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers these temporarily their thats that thanks thank than terrible temporary taste subscription talk taking take system switching summer success subscriptions soon son someone second services service series sense selection seen see secure scaling some scales saving save same run rules rule rotating servicio set settled several so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady there they risen way whats what were went well weeks week we waste while was warrant wants wanted want waiting wait vs where who thing would youll you yet years yearly yall ya wouldn worth why workable work wont without with willing will wife virtue value vaccine tipped try tried tracking town tooo too told today times ut time tightening tight throughout through this think things twice two unable under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rising rise live next now notified not nonsense nonesence non no nice news off newest new never needed my must multiple moving of offer overpriced option outside out our others other original or options opening offset opened ontario only oneday one once on often moved more months lost making makes make made luck loyalty your lower losing monthly loose looking long lol locations location ll living manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may over own ripped rather redo rectifying recession recently recent reason reality reactivate rates reducing rate raising raises raised quickly quality putting put reduce reflect owner restrict right
Topic 5 | Coherence=-211934.22 | Top words= and prices raising with in keep money issues yall profiles me better hikes years future damn on stealing havent sharing been expected from stop because benefit these climb lost mind financial unemployed extra twice added letting year waste cost must games garbage free hacked guys hackednot fuel frequent great gas gone grandkids gouging greed gotten got good gonna going get goes go given give girl gf getting greedy youre forth even fair fact face extortion expensive expenses everything every euro forever especially entertainment entertaining enough end emails email elsewhere family fan far fault forcing for food focused flat fixed had fix first financially finally fiance few feet fees feel fee hacking her half job kidding kept keeps keeping justify just joint join jacking hand itself its it issue isnt isn is iny kids lack laid last living live little limiting limited limit like life let lesser less legacy left leave learning layoff later intolerable into interested house horrible holder history hiking hike higher high eliminating help health he having have has hardly hard happy hosehold household instead households inflation increments increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how else drain el before biden biased biannually bf between benefits being begin becoming bill became be barely bank back awhile away automatically biggest billing at business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills aunt as card addition againlater again after afford adicional addtional addresses additional adding alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cant care edge days differences didnt deteriorated delivering declined decisions death deal day direction daughter date dad cutting cut customers customer currently different disappointed currency down easily earlier each duplicate due drive drastically location double discontinue dont done don doesnt do divorce disgusts disgusting current creep cared charges college climbing city choose choice checking cheaper charging charged combining charge changing changes changed change cell caused caring combine come credit continously covid courtesy country costs continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company ll loyal locations start stranger stopping stopped stepdad stay states starting started squeeze sub spouses spouse spending spend span sorry soon son stupid subscriber someone talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription something some the scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she share shady several settled set thats their ripped was what were went well weeks week we way warrant when wants wanted want waiting wait vs virtue value whats where ut workable youll you yet yearly ya wouldn would worth work while wont won without willing will wife why who vaccine using there time tooo too told today to tired tipped times tightening tracking tight throughout through this think things thing they town tried uses until users used use us upward upping upcoming up unneeded try unnecessary unfortunately unfair understand under unable two trying rise right lol not offset offered offer off of now notified nothing nonsense ok nonesence non no nice next news newest new often once needed original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday never need owning made may married market many manservices making makes make luck means loyalty your lower losing loose looking longer long maybe medical my month multiple much moving moved move more months monthly monetary member moment mom mistake might merge memberships membership members owner pagos ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raises raised raise quickly quality putting put rectifying reduce provider respect return retiring
Topic 6 | Coherence=-222090.85 | Top words= with the you price your of shoves face keeping pop forcing iny choice up lost make life subscriber have nice so to subscription currently don just especially more me anymore like expensive news worth power not bill limit limiting for household is subscriptions tired company between playing users games issues subscribers family personal access use high only single reside lol profits gas future get emails garbage fan getting gone gouging email gotten got good gonna going gf goes go given end give girl fuel entertaining from fiance extortion extra financially fact financial finally few fix feet fair fees feel fee fault grandkids fixed frequent euro enough far free forth entertainment forever even flat every everything food expected focused expenses first havent great joint job jacking itself its it issue isnt isn intolerable into interested instead inflation increments increasses increasing increases join justify greed keep letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increased increase income in help health he having else has hardly hard happy hand half had hacking hackednot hacked guys greedy her higher hike huge improvements im ill if idea husband hungry how hikes households house hosehold horrible holder history hiking elsewhere youre eliminating el biannually bf better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biased biden biggest buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt at as addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all aren and are apps aparently anyways any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot cant card day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer current differences direction creep drain edge easily earlier each duplicate due drive drastically double disappointed dont done doesnt do divorce disgusts disgusting discontinue currency credit care charged climbing climb city choose checking cheaper charging charges charge combine changing changes changed change cell caused caring cared college combining covid continously courtesy country costs cost continuous continues continue continually constantly come constant consolidating consider connected compromised competitive compared coming down loyal limited start stopped stop stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stopping stranger stupid sub thats that thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success something some there saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service services since significant signaling sign sight sick shouldn should short she sharing share shady several settled set servicio their these right we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife vs value they times tried tracking town tooo too told today tipped time vaccine tightening tight throughout through this think things thing try trying twice two ut using uses used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous little no offer off now notified nothing nonsense nonesence non next moving newest new never needed need my must multiple offered offset often ok outside out our others other original or options option opportunity opening opened ontario oneday one once on much moved overpriced losing many manservices making makes made luck loyalty lower loose move looking longer long locations location ll living live market married may maybe months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means over own return rates recently recent reason really reality reactivate re rather rate provider raising raises raised raise quickly quality putting put recession rectifying redo reduce
Topic 7 | Coherence=-217033.98 | Top words= to for price too hike newest charging and an hikes many subscription extra the share my kids city canceling re more unfair intolerable before next afford preemptively rate why charge vaccine entertainment out especially fair given goes going gone go girl euro give good gf getting get gas gonna gouging got gotten had hacking email hackednot hacked emails guys greedy end enough greed great entertaining grandkids games garbage frequent future expensive financially extortion financial finally fiance few feet face fees feel fee fault fact far fan first fix fuel fixed from family even free forth every forever everything forcing hand expected expenses food focused flat half youre happy join kidding kept keeps keeping keep justify just joint job laid jacking itself its it issues issue isnt isn lack last hard life ll living live little limiting limited limit like letting later let lesser less legacy left leave learning layoff is iny into her house hosehold horrible holder history hiking higher high help interested else health he having havent have has hardly household households how huge instead inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry elsewhere drive eliminating card biased biannually bf between better benefits benefit being begin been becoming because became be barely bank back awhile away biden biggest bill buggin cannot cancelling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at adding againlater again after adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow amounts amount amercian am also already almost allowed cant care el cared different differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer direction disappointed discontinue drain edge easily earlier each duplicate due locations drastically down disgusting double dont done don doesnt do divorce disgusts currently current currency cheaper combining combine college climbing climb choose choice checking charges coming charged changing changes changed change cell caused caring come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive location loyal lol long stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry sub subscriber subscribers temporarily their thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success soon son something second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set someone sight some so situation single since significant signaling sign sick settled shoves shouldn should short she sharing shady several there these they week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while wife vs wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing wait virtue thing tipped try tried tracking town tooo told today tired times twice time tightening tight throughout through this think things trying two value upping ut using uses users used use us upward upcoming unable up until unneeded unnecessary unfortunately unemployed understand under rising risen rise nothing often offset offered offer off of now notified not on nonsense nonesence non no nice news new never ok once need original owner own overpriced over outside our others other or one options option opportunity opening opened ontario only oneday needed must pagos made maybe may married market manservices making makes make luck means loyalty your lower lost losing loose looking longer me medical multiple monetary much moving moved move months monthly month money moment member mom mistake mind might merge memberships membership members owning parent ripped reactivate redo rectifying recession recently recent reason really reality rather reducing rates raising raises raised raise quickly quality putting reduce reflect pushed restrict right ridiculous
Topic 8 | Coherence=-238920.22 | Top words= you subscription extra and the using that charge im if for prices services people youre other better reason cheaper my gonna kept so charging out was only are with now keep of family news when sharing about paying increase money outside no states idea pay will want cant share this won support longer parents an what declined got month card another kids time upping guys accounts allow loose inflation ridiculous caring offered fault goes feet every everything go given first going fees entertaining end grandkids gouging fee enough gotten good even entertainment especially feel gone euro girl give fiance far extortion fixed fan flat focused fair great food fact face financially forcing forever financial forth expensive expected free frequent from fuel future finally games garbage gas get getting gf fix few expenses have greed is itself its it issues issue isnt isn iny increased intolerable into interested instead increments increasses increasing jacking job join joint less legacy left leave learning layoff later last laid lack kidding keeps keeping justify just increases income greedy hardly help health he having havent email has hard in happy hand half had hacking hackednot hacked her high higher hike improvements ill husband hungry huge how households household house hosehold horrible holder history hiking hikes emails doesnt elsewhere being biggest biden biased biannually bf between benefits benefit begin billing before been becoming because became be barely bank bill billings else but care cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit back awhile away additional agree againlater again after afford adicional addtional addresses addition automatically adding added activities acct account access acceptance absurd alarming all allowed almost aunt at as aren apps aparently anyways anymore any anticonsumer annually amounts amount amercian am also already cared caused cell decisions discontinue disappointed direction different differences didnt deteriorated delivering death customers deal days day daughter date damn dad cutting disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due drive drastically drain down double dont done don let cut customer change climb compared company coming come combining combine college climbing city currently choose choice checking charges charged changing changes changed competitive compromised connected consider current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating lesser loyal letting spouse stepdad stealing stay starting started start squeeze spouses spending single spend span sorry soon son something someone some stop stopped stopping stranger than terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscribers subscriber sub stupid situation since life rules secure second scaling scales saving save same run rule significant rotating rising risen rise ripped right return retiring see seems seen selection signaling sign sight sick shoves shouldn should short she shady several settled set servicio service series sense thank thanks thats warrant were went well weeks week we way waste wants their wanted waiting wait vs virtue value vaccine ut whats where while who youll yet years yearly year yall ya wouldn would worth workable work wont without willing wife why uses users used town too told today to tired tipped times tightening tight throughout through think things thing they these there tooo tracking use tried us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try retired resume resubscribe must non nice next newest new never needed need multiple others much moving moved move more months monthly monetary nonesence nonsense not nothing or options option opportunity opening opened ontario oneday one once on ok often offset offer off notified moment mom mistake luck your lower lost losing looking long lol locations location ll living live little limiting limited limit like loyalty made mind make might merge memberships membership members member medical means me maybe may married market many manservices making makes original our restriction raise reactivate re rather rates rate raising raises raised quickly over quality putting put pushed provider profits profit profiles reality really recent
Topic 9 | Coherence=-208587.14 | Top words= subscription my has with an already in moving he bf husband wife got married her like own and phone one news everything spouse disappointed we charges what offered sub joint seen budget stepdad getting else piracy unable worth hacked hosehold gf youre get gas garbage games girl gone give given go goes going fuel gonna good gotten gouging grandkids great greed greedy guys future food from fan fair fact face extra extortion expensive expenses expected every even euro especially entertainment entertaining enough end emails email elsewhere family far frequent fault free forth forever forcing for focused flat fixed fix first financially financial finally fiance few feet fees feel fee hackednot health hacking job kidding kept keeps keeping keep justify just join jacking had itself its it issues issue isnt isn is kids lack laid last living live little limiting limited limit life letting let lesser less legacy left leave learning layoff later iny intolerable into house holder history hiking hikes hike higher high help el having havent have hardly hard happy hand half horrible household interested households instead inflation increments increasses increasing increases increased increase income improvements im ill if idea hungry huge how eliminating drain edge easily biased biannually between better benefits benefit being begin before been becoming because became be barely bank back awhile away biden biggest bill business cannot cancelling canceling cancel can bye by but buggin billing broke break boyfriend both blindly bit bills billings automatically aunt at adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as another aren are apps aparently anyways anymore any anticonsumer annually all amounts amount amercian am also almost allowed allow cant card care daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different creep double earlier each duplicate due drive drastically location down dont direction done don doesnt do divorce disgusts disgusting discontinue currency credit cared charging college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company ll loyal locations started stranger stopping stopped stop stealing stay states starting start subscriber squeeze spouses spending spend span sorry soon son stupid subscribers someone temporarily the thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success something some there scales series sense selection seems see secure second scaling saving services save same run rules rule rotating rising risen service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled their these ripped was whats were went well weeks week way waste warrant where wants wanted want waiting wait vs virtue value when while ut wouldn youll you yet years yearly year yall ya would who workable work wont won without willing will why vaccine using they times town tooo too told today to tired tipped time tried tightening tight throughout through this think things thing tracking try uses until users used use us upward upping upcoming up unneeded trying unnecessary unfortunately unfair unemployed understand under two twice rise right lol nonsense offset offer off of now notified nothing not nonesence ok non no nice next newest new never needed often on must original owner overpriced over outside out our others other or once options option opportunity opening opened ontario only oneday need multiple pagos luck may market many manservices making makes make made loyalty me your lower lost losing loose looking longer long maybe means much moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member owning parent ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pushed respect return retiring
Topic 10 | Coherence=-221885.95 | Top words= you and sharing of price more up that charge even prices subscription re going bye kids talk recent continue limited to in squeeze yet increase go live try another out is fair people intolerable new unfair how city greed want allow fee money raise expensive using everything let frequent from keeps free fuel forever forcing for food focused flat forth gf future given got good gonna gone legacy goes less lesser games give girl fix getting get gas garbage fixed fiance letting extra expenses limiting expected every little euro especially entertainment entertaining enough end emails email elsewhere else extortion limit life face like first financially financial finally gouging few feet fees feel fault far fan family fact gotten guys grandkids income increments increasses kidding increasing increases increased lack laid instead improvements im ill if idea husband hungry inflation interested great itself keep justify just joint join job jacking its into it issues issue isnt isn iny kept huge last households half have has hardly hard happy hand learning had later hacking hackednot hacked keeping leave greedy left el havent having he household house hosehold horrible holder history hiking hikes hike higher high her help health layoff eliminating youre edge easily biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away biased biden biggest budget cancelling canceling cancel can by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically aunt at adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as annually aren are apps aparently anyways anymore any anticonsumer an all amounts amount amercian am also already almost allowed cannot cant card day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency double earlier each duplicate due drive drastically drain living dont disappointed done don doesnt do divorce disgusts disgusting discontinue current creep care charges college climbing climb choose choice checking cheaper charging charged combining changing changes changed change cell caused caring cared combine come credit continously covid courtesy country costs cost continuous continues continually constantly coming constant consolidating consider connected compromised competitive compared company down loyal ll start stopped stop stepdad stealing stay states starting started spouses stranger spouse spending spend span sorry soon son something stopping stupid some taking thats thanks thank than terrible temporary temporarily taste take sub system switching support summer success subscriptions subscribers subscriber someone so right saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising risen rise sense service situation shouldn single since significant signaling sign sight sick shoves should services short she share shady several settled set servicio the their there we when whats what were went well weeks week way while waste was warrant wants wanted waiting wait vs where who these worth youll years yearly year yall ya wouldn would workable why work wont won without with willing will wife virtue value vaccine time town tooo too told today tired tipped times tightening ut tight throughout through this think things thing they tracking tried trying twice uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unemployed understand under unable two ripped ridiculous location no off now notified nothing not nonsense nonesence non nice offered next news newest never needed need my must offer offset much opportunity outside our others other original or options option opening often opened ontario only oneday one once on ok multiple moving return your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may moved mind move months monthly month monetary moment mom mistake might maybe merge memberships membership members member medical means me over overpriced own raising recently reason really reality reactivate rather rates rate raises rectifying raised quickly quality putting put pushed provider profits recession redo owner residence retiring
Topic 11 | Coherence=-218887.87 | Top words= the it to use will my just time you in can months moved many and as last by see is us again outside never there start rising anticonsumer coming play like expensive rules second summer too much constantly being was barely give amount drain make checking often resume fees retiring garbage gas grandkids great games gouging greed greedy future fuel from guys get frequent getting given gotten gf got good girl gonna gone going goes go youre financial free family fact face extra extortion expenses expected everything every even euro especially entertainment entertaining enough end emails email fair fan forth far forever forcing for food focused flat fixed fix first financially finally fiance few feet feel fee fault hacked her hackednot keeping justify joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation keep keeps increasses kept limited limit life letting let lesser less legacy left leave learning layoff later laid lack kids kidding increments increasing hacking hiking hike higher high else help health he having havent have has hardly hard happy hand half had hikes history increases holder increased increase income improvements im ill if idea husband hungry huge how households household house hosehold horrible elsewhere dont eliminating begin biden biased biannually bf between better benefits benefit before bill been becoming because became be bank back awhile biggest billing el business card cant cannot cancelling canceling cancel bye but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt adding againlater after afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any another annually an amounts amercian am also already almost allowed care cared caring deal different differences didnt deteriorated delivering declined decisions death days currently day daughter date damn dad cutting cut customers direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically down double little done don doesnt do divorce disgusts customer current caused cheaper combining combine college climbing climb city choose choice charging currency charges charged charge changing changes changed change cell come company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constant consolidating consider connected compromised limiting loyal live squeeze stopped stop stepdad stealing stay states starting started spouses stranger spouse spending spend span sorry soon son something stopping stupid thats taking thanks thank than terrible temporary temporarily taste talk take sub system switching support success subscriptions subscription subscribers subscriber someone some so saving series sense selection seen seems secure scaling scales save situation same run rule rotating risen rise ripped right service services servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled that their return we when whats what were went well weeks week way while waste warrant wants wanted want waiting wait vs where who these would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife virtue value vaccine times tried tracking town tooo told today tired tipped tightening ut tight throughout through this think things thing they try trying twice two using uses users used upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retired living non off of now notified nothing not nonsense nonesence no offered nice next news newest new needed need must offer offset own option over out our others other original or options opportunity ok opening opened ontario only oneday one once on multiple moving move lost manservices making makes made luck loyalty your lower losing more loose looking longer long lol locations location ll market married may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me overpriced owner resubscribe raised reality reactivate re rather rates rate raising raises raise reason quickly quality putting put pushed provider profits profit really recent owning rent restriction
Topic 12 | Coherence=-228418.18 | Top words= and price your many too am access you subscription why increments luck is checking canceling where good greed we the be will people increase how of tracking their they just on going fixed income up increases pay raising keeps it sick lol services being afford continously restriction willing off retired last non ripped was membership using fee has should food inflation customer gas need garbage as recently broke change from enough girl fuel goes email got emails end gonna gone go future given give gf getting get games frequent everything free fees fault far fan family fair fact euro face extra extortion even every expensive expenses expected feel feet forth especially forever forcing for focused flat entertaining fix first financially financial finally gouging fiance few entertainment gotten youre grandkids isn job jacking itself its issues issue isnt iny joint intolerable into interested instead increasses increasing increased join justify improvements learning letting let lesser less legacy left leave layoff keep later laid lack kids kidding kept keeping in im great happy health he having havent have hardly hard hand else half had hacking hackednot hacked guys greedy help her ill house if idea husband hungry huge households household hosehold high horrible holder history hiking hikes hike higher elsewhere done eliminating begin biden biased biannually bf between better benefits benefit before bill been becoming because became barely bank back awhile biggest billing el but card cant cannot cancelling cancel can bye by business billings buggin budget break boyfriend both blindly bit bills away automatically aunt addition agree againlater again after adicional addtional addresses additional adding at added activities acct accounts account acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost care cared caring death direction different differences didnt deteriorated delivering declined decisions deal currently days day daughter date damn dad cutting cut disappointed discontinue disgusting disgusts edge easily earlier each duplicate due drive drastically drain down double dont like don doesnt do divorce customers current caused choice come combining combine college climbing climb city choose cheaper currency charging charges charged charge changing changes changed cell coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually constantly constant consolidating consider connected compromised life loyal limit spouses stepdad stealing stay states starting started start squeeze spouse so spending spend span sorry soon son something someone stop stopped stopping stranger terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscribers subscriber sub stupid some situation thank same seems see secure second scaling scales saving save run single rules rule rotating rising risen rise right ridiculous seen selection sense series since significant signaling sign sight shoves shouldn short she sharing share shady several settled set servicio service than thanks retiring warrant what were went well weeks week way waste wants uses wanted want waiting wait vs virtue value vaccine whats when while who youll yet years yearly year yall ya wouldn would worth workable work wont won without with wife ut users that tight told today to tired tipped times time tightening throughout used through this think things thing these there thats tooo town tried try use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying return resume limited newest nothing not nonsense nonesence no nice next news new more never needed my must multiple much moving moved notified now offer offered others other original or options option opportunity opening opened ontario only oneday one once ok often offset move months out looking makes make made loyalty lower lost losing loose longer monthly long locations location ll living live little limiting making manservices market married month money monetary moment mom mistake mind might merge memberships members member medical means me maybe may our outside resubscribe quickly reactivate re rather rates rate raises raised raise quality prices putting put pushed provider profits profit profiles problem reality really reason recent
Topic 13 | Coherence=-213418.37 | Top words= and the this money is for have in few months budget come to back once try ill tight out losing due wait spending return will only down may happy future but way town aparently household barely right fuel go hacking games garbage hackednot hacked gas get guys greedy getting greed gf girl great grandkids give gouging gotten got good gonna gone going given goes youre from even fact face extra extortion expensive expenses expected everything every euro family especially entertainment entertaining enough end emails email elsewhere else fair fan frequent fix free forth forever forcing food half focused flat fixed first far financially financial finally fiance feet fees feel fee fault had high hand laid kids kidding kept keeps keeping keep justify just joint join job jacking itself its it issues issue lack last isn later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff isnt iny hard households hosehold horrible holder history hiking hikes hike higher el her help health he having havent has hardly house how intolerable huge into interested instead inflation increments increasses increasing increases increased increase income improvements im if idea husband hungry eliminating drain edge before biannually bf between better benefits benefit being begin been biden becoming because became be bank awhile away automatically biased biggest at buggin cannot cancelling canceling cancel can bye by business broke bill break boyfriend both blindly bit bills billings billing aunt as easily adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an are apps anyways anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cant card care date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences cared done earlier each duplicate drive drastically location double dont don different doesnt do divorce disgusts disgusting discontinue disappointed direction creep credit covid charges climbing climb city choose choice checking cheaper charging charged courtesy charge changing changes changed change cell caused caring college combine combining coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company ll loyal locations lol stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spend span sorry soon son something stranger stupid sub taking thanks thank than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers someone some so scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set that thats their week where when whats what were went well weeks we who waste was warrant wants wanted want waiting vs while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue vaccine there times tried tracking tooo too told today tired tipped time twice tightening throughout through think things thing they these trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped ridiculous nonsense offered offer off of now notified nothing not nonesence often non no nice next news newest new never offset ok need original owner own overpriced over outside our others other or on options option opportunity opening opened ontario oneday one needed my pagos made maybe married market many manservices making makes make luck means loyalty your lower lost loose looking longer long me medical must monetary multiple much moving moved move more monthly month moment member mom mistake mind might merge memberships membership members owning parent retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits reside retired resume
Topic 14 | Coherence=-218154.15 | Top words= keep prices at it customer time increasing will for rates and subscriber only loyalty feel alarming long we like there no subscription is going my was hacked by the being you upping that daughter used residence someone same has notified amounts keeps stranger charging huge today opened mistake hacking duplicate acct horrible paying dont unable caused cancel done increments legacy frequent free forth forever forcing learning food focused leave flat fixed fix first financially financial from fuel future give gonna gone later goes go given girl games layoff gf getting get gas garbage left finally increasses fiance expected letting everything every even euro especially entertainment life entertaining limit enough end emails email expenses expensive let far few feet fees less fee fault fan extortion lesser family fair fact face extra good last got gotten isn how households isnt household issue house hosehold issues holder history hiking hikes hike higher iny hungry husband in inflation increases increased instead increase income interested intolerable into improvements im ill if idea high its itself lack keeping had kept kidding hackednot kids laid hand guys greedy greed great grandkids gouging half happy jacking health her job join joint help else he hard having havent have just justify hardly elsewhere youre eliminating before biased biannually bf between better benefits benefit begin been automatically becoming because became be barely bank back awhile biden biggest bill billing cannot cancelling canceling can bye but business buggin budget broke break boyfriend both blindly bit bills billings away aunt card addition againlater again after afford adicional addtional addresses additional adding as added activities accounts account access acceptance absurd about agree all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amount amercian am also already almost cant care el days differences didnt deteriorated delivering declined decisions death deal day creep date damn dad cutting cut customers currently current different direction disappointed discontinue edge easily earlier each due drive drastically drain down double limiting don doesnt do divorce disgusts disgusting currency credit cared cheaper combine college climbing climb city choose choice checking charges covid charged charge changing changes changed change cell caring combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limited loyal little spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something some so situation stealing stop thanks system than terrible temporary temporarily taste talk taking take switching stopped support summer success subscriptions subscribers sub stupid stopping single since significant run seems see secure second scaling scales saving save rules signaling rule rotating rising risen rise ripped right ridiculous seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service thank thats retiring way when whats what were went well weeks week waste while warrant wants wanted want waiting wait vs virtue where who their would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife value vaccine ut tightening town tooo too told to tired tipped times tight using throughout through this think things thing they these tracking tried try trying uses users use us upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under two twice return retired live news now nothing not nonsense nonesence non nice next newest off new never needed need must multiple much moving of offer over opportunity out our others other original or options option opening offered ontario oneday one once on ok often offset moved move more lost manservices making makes make made luck your lower losing months loose looking longer lol locations location ll living many market married may monthly month money monetary moment mom mind might merge memberships membership members member medical means me maybe outside overpriced resume raise reality reactivate re rather rate raising raises raised quickly reason quality putting put pushed provider profits profit profiles really recent own rent resubscribe
Topic 15 | Coherence=-220247.48 | Top words= company you ill entertaining your much has it options are seems prices biannually far other increases too year price to subscription email raise increasing if hard better new hacked fix bye often summer activities under restart will health easily secure hackednot buggin cheaper the back system stepdad more gf garbage gas girl give end given getting get go greedy goes going emails gone gonna games good got gotten gouging elsewhere grandkids guys great greed enough extortion future fuel financial finally fiance few feet fees feel fee expected expenses fault expensive fan family fair fact face financially everything first forcing from extra entertainment frequent free forth forever for every especially food focused flat fixed euro even youre he hacking kids kept keeps keeping keep justify just joint join job jacking itself its issues issue isnt isn is kidding lack had laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last iny intolerable into interested holder history hiking hikes hike higher high her help eliminating having havent have hardly happy hand half horrible hosehold house in instead inflation increments increasses increased increase income improvements household im idea husband hungry huge how households else down el been biased bf between benefits benefit being begin before becoming biggest because became be barely bank awhile away automatically biden bill at business cant cannot cancelling canceling cancel can by but budget billing broke break boyfriend both blindly bit bills billings aunt as edge addition againlater again after afford adicional addtional addresses additional adding alarming added acct accounts account access acceptance absurd about agree all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed card care cared day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction caring double earlier each duplicate due drive drastically drain living dont disappointed done don doesnt do divorce disgusts disgusting discontinue current currency creep charging combine college climbing climb city choose choice checking charges credit charged charge changing changes changed change cell caused combining come coming compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive live loyal ll start stopping stopped stop stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone temporarily their thats that thanks thank than terrible temporary taste subscriber talk taking take switching support success subscriptions subscribers something some right saving series sense selection seen see second scaling scales save services same run rules rule rotating rising risen rise service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled there these they way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while thing worth youll yet years yearly yall ya wouldn would workable who work wont won without with willing wife why virtue value vaccine tipped try tried tracking town tooo told today tired times ut time tightening tight throughout through this think things trying twice two unable using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand ripped ridiculous location non off of now notified nothing not nonsense nonesence no offered nice next news newest never needed need my offer offset multiple option overpriced over outside out our others original or opportunity ok opening opened ontario only oneday one once on must moving return loyalty market many manservices making makes make made luck lower may lost losing loose looking longer long lol locations married maybe moved mistake move months monthly month money monetary moment mom mind me might merge memberships membership members member medical means own owner owning rate recent reason really reality reactivate re rather rates raising recession raises raised quickly quality putting put pushed provider recently rectifying pagos reside retiring
Topic 16 | Coherence=-224370.41 | Top words= too many now prices expensive increases consider like or after increasing is other are for biannually far me options year service not seems your have much entertaining company keep worth ill subscriptions no using upward right vs charges people maybe offered different longer unfortunately new later its we everything whats isnt overpriced ll itself amount back never continously restriction cant allow increments forcing fuel from frequent free forth forever last food focused flat layoff fixed fix future games first go lack gonna gone going laid goes given garbage give girl gf getting get gas learning financially got even less lesser expenses expected let every letting extra euro especially entertainment life enough end extortion face financial fees finally leave fiance few left feet feel fact fee fault legacy fan family fair good gotten increasses households husband hungry jacking huge how job household it house join hosehold horrible holder history idea if gouging income inflation instead interested into increased increase in issues intolerable iny improvements im isn issue hiking hikes hike hacked happy hand half had hacking hackednot guys higher greedy greed great grandkids kidding kids kept keeps hard hardly has keeping havent justify having just joint he health email help her high emails youre elsewhere begin biden biased bf between better benefits benefit being before bill been becoming because became be barely bank awhile biggest billing automatically business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills away aunt care adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all at another as aren apps aparently anyways anymore any anticonsumer annually allowed and an amounts amercian am also already almost card cared else death disappointed direction differences didnt deteriorated delivering declined decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts customer drive eliminating el edge easily earlier each duplicate due limit divorce drain down double dont done don doesnt do customers currently caring cheaper combine college climbing climb city choose choice checking charging come charged charge changing changes changed change cell caused combining coming current continuous currency creep credit covid courtesy country costs cost continues compared continue continually constantly constant consolidating connected compromised competitive drastically loyal limited starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber risen taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscription soon son something second servicio services series sense selection seen see secure scaling someone scales saving save same run rules rule rotating set settled several shady some so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share the their there way where when what were went well weeks week waste vaccine was warrant wants wanted want waiting wait virtue while who why wife youll you yet years yearly yall ya wouldn would workable work wont won without with willing will value ut these time town tooo told today to tired tipped times tightening uses tight throughout through this think things thing they tracking tried try trying users used use us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice rising rise limiting non offset offer off of notified nothing nonsense nonesence nice ok next news newest needed need my must multiple often on ripped others pagos owning owner own over outside out our original once option opportunity opening opened ontario only oneday one moving moved move losing making makes make made luck loyalty lower lost loose more looking long lol locations location living live little manservices market married may months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means parent parents passed re rectifying recession recently recent reason really reality reactivate rather put rates rate raising raises raised raise quickly quality redo reduce reducing reflect
Topic 17 | Coherence=-212695.97 | Top words= just raising after prices charge additional last for profit starting greedy it year profiles to was subscription ill credit option pay without gonna but charged card youre because so cheaper bills monthly customers eliminating take break charging getting free climbing expected every everything gone going got expenses goes go given give girl good euro gotten even gouging grandkids great greed especially guys hacked entertainment entertaining hackednot enough hacking end gf feet few first fan far flat fault fixed fix fee food financially financial finally feel fees fiance focused family expensive from gas garbage games future extortion fuel extra fair face frequent forth forever forcing fact get havent had into kids kidding kept keeps keeping keep justify joint join job jacking itself its issues issue isnt isn is iny lack laid later like location ll living live little limiting limited limit life layoff letting let lesser less legacy left leave learning intolerable interested half instead holder history hiking hikes hike higher high her help health he having email have has hardly hard happy hand horrible hosehold house in inflation increments increasses increasing increases increased increase income improvements household im if idea husband hungry huge how households emails drastically elsewhere becoming between better benefits benefit being begin before been became biannually be barely bank back awhile away automatically aunt bf biased else budget cancelling canceling cancel can bye by business buggin broke biden boyfriend both blindly bit billings billing bill biggest at as aren adding agree againlater again afford adicional addtional addresses addition added are activities acct accounts account access acceptance absurd about alarming all allow allowed apps aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost cannot cant care decisions disappointed direction different differences didnt deteriorated delivering declined death customer deal days day daughter date damn dad cutting discontinue disgusting disgusts divorce el edge easily earlier each duplicate due drive lol drain down double dont done don doesnt do cut currently cared choice coming come combining combine college climb city choose checking current charges changing changes changed change cell caused caring company compared competitive compromised currency creep covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected locations loyal long these stupid stranger stopping stopped stop stepdad stealing stay states started start squeeze spouses spouse spending spend span sorry soon sub subscriber subscribers temporary their the thats that thanks thank than terrible temporarily subscriptions taste talk taking system switching support summer success son something someone scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio some shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled there they longer thing when whats what were went well weeks week we way waste warrant wants wanted want waiting wait vs virtue where while who would youll you yet years yearly yall ya wouldn worth why workable work wont won with willing will wife value vaccine ut tipped tried tracking town tooo too told today tired times trying time tightening tight throughout through this think things try twice using up uses users used use us upward upping upcoming until two unneeded unnecessary unfortunately unfair unemployed understand under unable risen rise ripped right offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new never needed offset often ok or overpriced over outside out our others other original options on opportunity opening opened ontario only oneday one once need my must make maybe may married market many manservices making makes made means luck loyalty your lower lost losing loose looking me medical multiple monetary much moving moved move more months month money moment member mom mistake mind might merge memberships membership members own owner owning re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raises raised raise quickly quality putting redo reducing pushed restart ridiculous return
Topic 18 | Coherence=-207411.87 | Top words= are that you email me want consider the reactivate issue only never forever makes rectifying fact give good come it multiple cannot months this users again have billings stopped get politically biased girl hand getting half gas gf garbage games had future gouging hacking hackednot grandkids great gotten greed got greedy guys from gonna gone going goes go given hacked fuel focused frequent every fair face extra extortion expensive expenses expected everything even fan euro especially entertainment entertaining enough end emails elsewhere family far free first forth forcing for food hard flat fixed fix financially fault financial finally fiance few feet fees feel fee happy youre hardly just lack kids kidding kept keeps keeping keep justify joint last join job jacking itself its issues isnt isn laid later has like location ll living live little limiting limited limit life layoff letting let lesser less legacy left leave learning is iny intolerable hike household house hosehold horrible holder history hiking hikes higher into high her eliminating help health he having havent households how huge hungry interested instead inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband else due el card bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biannually biden biggest buggin cancelling canceling cancel can bye by but business budget bill broke break boyfriend both blindly bit bills billing aunt at as adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cant care edge cared differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently different direction disappointed down easily earlier each duplicate lol drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting current currency creep charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining credit continually covid courtesy country costs cost continuous continues continue continously coming constantly constant consolidating connected compromised competitive compared company locations loyal long rising sub stupid stranger stopping stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry subscriber subscribers subscription temporarily there their thats thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success soon son something secure services service series sense selection seen seems see second set scaling scales saving save same run rules rule servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady these they thing week where when whats what were went well weeks we who way waste was warrant wants wanted waiting wait while why virtue would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs value things to try tried tracking town tooo too told today tired twice tipped times time tightening tight throughout through think trying two vaccine upcoming ut using uses used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rotating risen longer rise on ok often offset offered offer off of now notified nothing not nonsense nonesence non no nice next news once one oneday our pagos owning owner own overpriced over outside out others ontario other original or options option opportunity opening opened newest new needed make means maybe may married market many manservices making made member luck loyalty your lower lost losing loose looking medical members need month my must much moving moved move more monthly money membership monetary moment mom mistake mind might merge memberships parent parents passed re reduce redo recession recently recent reason really reality rather reflect rates rate raising raises raised raise quickly quality reducing rejoin put restriction ripped right
Topic 19 | Coherence=-221079.37 | Top words= subscriptions are raising in my prices and need with one dont we only is so other constantly moved business take anymore you elsewhere house has two because or significant consolidating fiance boyfriend differences improvements any moving without stepdad needed an multiple our use wife fees merge monthly households household keep really free checking hike selection got great grandkids garbage gouging greed gotten gas future good gonna get gone getting going gf girl goes go give given games food fuel expected family fair fact face extra extortion expensive expenses everything from every even euro especially entertainment entertaining enough end fan far fault fee frequent forth forever forcing for guys focused flat fixed fix first financially financial finally few feet feel greedy youre hacked hackednot keeping justify just joint join job jacking itself its it issues issue isnt isn iny intolerable into keeps kept kidding legacy limit like life letting let lesser less left kids leave learning layoff later last laid lack interested instead inflation havent higher high her help emails he having have hiking hardly hard happy hand half had hacking hikes history increments ill increasses increasing increases increased increase income im if holder idea husband hungry huge how hosehold horrible health drain email being biden biased biannually bf between better benefits benefit begin bill before been becoming became be barely bank back biggest billing away by card cant cannot cancelling canceling cancel can bye but billings buggin budget broke break both blindly bit bills awhile automatically else adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aunt annually at as aren apps aparently anyways anticonsumer another amounts all amount amercian am also already almost allowed allow care cared caring deal direction different didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting caused drive eliminating el edge easily earlier each duplicate due drastically disgusts limiting down double done don doesnt do divorce customer currently current cheaper combining combine college climbing climb city choose choice charging currency charges charged charge changing changes changed change cell come coming company compared creep credit covid courtesy country costs cost continuous continues continue continually continously constant consider connected compromised competitive limited loyal little started stranger stopping stopped stop stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber there temporarily the thats that thanks thank than terrible temporary taste subscribers talk taking system switching support summer success subscription son something someone scales series sense seen seems see secure second scaling saving some save same run rules rule rotating rising risen service services servicio set situation single since signaling sign sight sick shoves shouldn should short she sharing share shady several settled their these ripped was what were went well weeks week way waste warrant when wants wanted want waiting wait vs virtue value whats where they would youll yet years yearly year yall ya wouldn worth while workable work wont won willing will why who vaccine ut using times town tooo too told today to tired tipped time uses tightening tight throughout through this think things thing tracking tried try trying users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice rise right live non off of now notified nothing not nonsense nonesence no offered nice next news newest new never must much offer offset pagos options owner own overpriced over outside out others original option often opportunity opening opened ontario oneday once on ok move more months losing makes make made luck loyalty your lower lost loose month looking longer long lol locations location ll living making manservices many market money monetary moment mom mistake mind might memberships membership members member medical means me maybe may married owning parent ridiculous rates recession recently recent reason reality reactivate re rather rate redo raises raised raise quickly quality putting put pushed rectifying reduce parents respect return
Topic 20 | Coherence=-222523.37 | Top words= to change need money some billing customer country of subscription date stop service help one all only unable trying into prices save put time success at no users financially cancel hard raising my just another subscriptions moving increasing households combine due right por servicio more aparently adicional than remarried long pagos el barely financial having issues on new have drain several redo games fuel got gotten future from good gas gonna get gone going goes go given give girl gf getting garbage youre frequent free family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough fan far fault fixed forth forever forcing for food focused flat fix fee first finally fiance few feet fees feel gouging has grandkids justify join job jacking itself its it issue isnt isn is iny intolerable interested instead inflation increments increasses joint keep great keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increases increased increase income high her health he havent emails hardly happy hand half had hacking hackednot hacked guys greedy greed higher hike hikes hungry in improvements im ill if idea husband huge hiking how household house hosehold horrible holder history end double email begin biased biannually bf between better benefits benefit being before biggest been becoming because became be bank back awhile biden bill elsewhere business cant cannot cancelling canceling can bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt adding againlater again after afford addtional addresses additional addition added as activities acct accounts account access acceptance absurd about agree alarming allow allowed aren are apps anyways anymore any anticonsumer annually and an amounts amount amercian am also already almost card care cared death direction different differences didnt deteriorated delivering declined decisions deal current days day daughter damn dad cutting cut customers disappointed discontinue disgusting disgusts else eliminating edge easily earlier each duplicate drive drastically down like dont done don doesnt do divorce currently currency caring cheaper combining college climbing climb city choose choice checking charging creep charges charged charge changing changes changed cell caused come coming company compared credit covid courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive life loyal limit starting stupid stranger stopping stopped stepdad stealing stay states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers limited terrible these there their the thats that thanks thank temporary summer temporarily taste talk taking take system switching support soon son something scales sense selection seen seems see secure second scaling saving someone same run rules rule rotating rising risen rise series services set settled so situation single since significant signaling sign sight sick shoves shouldn should short she sharing share shady they thing things well who while where when whats what were went weeks waiting week we way waste was warrant wants wanted why wife will willing youll you yet years yearly year yall ya wouldn would worth workable work wont won without with want wait think told two twice try tried tracking town tooo too today vs tired tipped times tightening tight throughout through this under understand unemployed unfair virtue value vaccine ut using uses used use us upward upping upcoming up until unneeded unnecessary unfortunately ripped ridiculous return news notified nothing not nonsense nonesence non nice next newest month never needed must multiple much moved move months now off offer offered out our others other original or options option opportunity opening opened ontario oneday once ok often offset monthly monetary over looking made luck loyalty your lower lost losing loose longer moment lol locations location ll living live little limiting make makes making manservices mom mistake mind might merge memberships membership members member medical means me maybe may married market many outside overpriced retiring raises reason really reality reactivate re rather rates rate raised problem raise quickly quality putting pushed provider profits profit recent recently recession rectifying
Topic 21 | Coherence=-219007.01 | Top words= price the no increases and have as longer value this customer with good new upcoming stop youll addtional me dont agree back to enough do changes like not cost policy frequent justify more virtue signaling political opened money duplicate fault what at year redo mistake terrible cancel euro drastically than membership way last warrant focused food leave for flat forcing laid forever forth free learning layoff later from fixed isnt fuel left given got lack gonna gone going goes go give future girl gf getting get gas garbage games fix financially first extortion expenses expected everything every even lesser let especially letting entertainment life entertaining limit end emails expensive less gouging extra financial finally fiance few feet fees feel fee legacy far fan family fair fact face gotten great grandkids increase in improvements im ill job if join idea husband hungry huge how households household joint income increased isn jacking is issue issues it iny its intolerable into itself interested instead inflation increments increasses increasing house hosehold horrible holder has hardly hard happy kidding hand half had hacking hackednot hacked guys kids greedy greed kept havent having high history hiking hikes just hike higher keep he elsewhere keeping her keeps help health email youre else begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank awhile biden bill card buggin cannot cancelling canceling can bye by but business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt adding againlater again after afford adicional addresses additional addition added aren activities acct accounts account access acceptance absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cant care eliminating day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers currently current differences direction cared down el edge easily earlier each due drive drain double disappointed limiting done don doesnt divorce disgusts disgusting discontinue currency creep credit charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changed change cell caused caring combine combining come coming courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company limited loyal little spending stay states starting started start squeeze spouses spouse spend stepdad span sorry soon son something someone some so stealing stopped thanks support temporary temporarily taste talk taking take system switching summer stopping success subscriptions subscription subscribers subscriber sub stupid stranger situation single since same seems see secure second scaling scales saving save run significant rules rule rotating rising risen rise ripped right seen selection sense series sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services service thank that live was whats were went well weeks week we waste wants where wanted want waiting wait vs vaccine ut using when while thats worth you yet years yearly yall ya wouldn would workable who work wont won without willing will wife why uses users used tight too told today tired tipped times time tightening throughout use through think things thing they these there their tooo town tracking tried us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try ridiculous return retiring non offer off of now notified nothing nonsense nonesence nice offset next news newest never needed need my must offered often retired options over outside out our others other original or option ok opportunity opening ontario only oneday one once on multiple much moving lost making makes make made luck loyalty your lower losing moved loose looking long lol locations location ll living manservices many market married move months monthly month monetary moment mom mind might merge memberships members member medical means maybe may overpriced own owner raising reason really reality reactivate re rather rates rate raises profit raised raise quickly quality putting put pushed provider recent recently recession rectifying
Topic 22 | Coherence=-222797.52 | Top words= my charge re she to sign is me your no when extra ut uses going anyways college thank good daughter bye for and you in passed away subscription owner this job worth even paying fair business due has of taking lost over kidding vaccine person mom aunt life family parent increase gouging aren before way great get gas garbage hacked getting go gf girl give given guys goes gone gonna greedy greed got gotten grandkids games flat future fee far fan fact face extortion expensive expenses expected everything every euro especially entertainment entertaining enough end emails fault feel fuel fees from frequent free forth forever forcing food focused fixed fix first financially financial finally fiance few feet hackednot youre hacking keeping justify just joint join jacking itself its it issues issue isnt isn iny intolerable into interested instead keep keeps had kept limited limit like letting let lesser less legacy left leave learning layoff later last laid lack kids inflation increments increasses increasing hikes hike higher high her help elsewhere health he having havent have hardly hard happy hand half hiking history holder idea increases increased income improvements im ill if husband horrible hungry huge how households household house hosehold email down else being biden biased biannually bf between better benefits benefit begin bill been becoming because became be barely bank back biggest billing automatically but card cant cannot cancelling canceling cancel can by buggin billings budget broke break boyfriend both blindly bit bills awhile at eliminating adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as an are apps aparently anymore any anticonsumer another annually amounts all amount amercian am also already almost allowed allow care cared caring deal different differences didnt deteriorated delivering declined decisions death days disappointed day date damn dad cutting cut customers customer direction discontinue caused drain el edge easily earlier each duplicate drive drastically little disgusting double dont done don doesnt do divorce disgusts currently current currency checking come combining combine climbing climb city choose choice cheaper creep charging charges charged changing changes changed change cell coming company compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limiting loyal live squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger the take that thanks than terrible temporary temporarily taste talk system stupid switching support summer success subscriptions subscribers subscriber sub someone some so saving selection seen seems see secure second scaling scales save situation same run rules rule rotating rising risen rise sense series service services single since significant signaling sight sick shoves shouldn should short sharing share shady several settled set servicio thats their right waste whats what were went well weeks week we was while warrant wants wanted want waiting wait vs virtue where who there would youll yet years yearly year yall ya wouldn workable why work wont won without with willing will wife value using users time town tooo too told today tired tipped times tightening used tight throughout through think things thing they these tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice ripped ridiculous living nice off now notified nothing not nonsense nonesence non next offered news newest new never needed need must multiple offer offset overpriced opportunity out our others other original or options option opening often opened ontario only oneday one once on ok much moving moved lower many manservices making makes make made luck loyalty losing move loose looking longer long lol locations location ll market married may maybe more months monthly month money monetary moment mistake mind might merge memberships membership members member medical means outside own return rate recently recent reason really reality reactivate rather rates raising rectifying raises raised raise quickly quality putting put pushed recession redo owning residence retiring
Topic 23 | Coherence=-221117.71 | Top words= it afford now at time this can to anymore you not money job right are well making make don sense resubscribe cant decisions doesnt and business guys dont when but using that caused lost biden president by thanks inflation want longer just other on apps interested start opportunity spend cannot again any way hungry tight access losing second hardly change high month with hiking worth phone fact email cheaper end increased legacy from frequent free forth forever forcing for future food focused flat less isnt fixed fuel games gotten given good gonna gone going goes go isn garbage give girl gf getting get gas fix first financially expected issue face extra extortion expensive expenses everything lesser every even euro especially issues entertainment fair family life fan letting far fault let itself fee feel fees feet few fiance finally financial got gouging increase kids keeps house hosehold kept horrible kidding lack keeping laid increments holder last history joint household households grandkids if income in improvements im ill justify increases how idea husband increasing keep huge increasses hikes entertaining instead hacking learning happy hand half had is hackednot hike hacked leave left greedy greed great hard iny has intolerable have layoff havent having he health help into her later jacking join higher its youre enough billing biggest biased biannually bf between better benefits benefit being begin before been becoming because became be barely bill billings back bills cell caring cared care card cancelling canceling cancel bye buggin budget broke break boyfriend both blindly bit bank awhile changes all agree againlater after adicional addtional addresses additional addition adding added activities acct accounts account acceptance absurd about alarming allow away allowed automatically aunt as aren aparently anyways anticonsumer another annually an amounts amount amercian am also already almost changed changing emails disgusts discontinue disappointed direction different differences didnt deteriorated delivering declined death deal days day daughter date damn dad disgusting divorce cut do elsewhere else eliminating el edge easily earlier each duplicate due drive drastically drain down double done limit cutting customers charge connected competitive compared company coming come combining combine college climbing climb city choose choice checking charging charges charged compromised consider customer consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant like loyal limited spouse stepdad stealing stay states starting started squeeze spouses spending stopped span sorry soon son something someone some so stop stopping limiting switching terrible temporary temporarily taste talk taking take system support stranger summer success subscriptions subscription subscribers subscriber sub stupid situation single since run seems see secure scaling scales saving save same rules significant rule rotating rising risen rise ripped ridiculous return seen selection series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services than thank thats was whats what were went weeks week we waste warrant uses wants wanted waiting wait vs virtue value vaccine where while who why youll yet years yearly year yall ya wouldn would workable work wont won without willing will wife ut users the tightening town tooo too told today tired tipped times throughout used through think things thing they these there their tracking tried try trying use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring retired resume next of notified nothing nonsense nonesence non no nice news moving newest new never needed need my must multiple off offer offered offset outside out our others original or options option opening opened ontario only oneday one once ok often much moved overpriced loose many manservices makes made luck loyalty your lower looking move long lol locations location ll living live little market married may maybe more months monthly monetary moment mom mistake mind might merge memberships membership members member medical means me over own restriction raised reality reactivate re rather rates rate raising raises raise problem quickly quality putting put pushed provider profits profit really reason recent recently
Topic 24 | Coherence=-218414.12 | Top words= price the long for of this raised don nonsense changing benefits too been keeps high out to you with not way hand has just renewing while selection getting will far work hikes be lack and fees constant damn use at got moment history throughout think raises situation changed financial ridiculous climbing expected tired seems becoming great hacked had girl temporary reflect deteriorated disgusts us isn first go especially entertainment gas get entertaining gf fiance few give enough given goes euro end going feet gone emails email fault elsewhere gonna good else fee garbage even fix games gouging family fixed flat focused food financially fair forcing forever forth fact free frequent face fan from extra extortion fuel future expensive feel expenses finally everything every gotten having grandkids greed joint join job jacking itself its it issues issue isnt is iny intolerable into interested instead inflation justify keep keeping left like life letting let lesser less legacy leave kept learning layoff later last laid kids kidding increments increasses increasing have hike higher her help health he havent hardly holder hard happy half hacking hackednot guys greedy hiking horrible increases if increased increase income in improvements im ill idea hosehold husband hungry huge how households household house eliminating youre el before biased biannually bf between better benefit being begin because aren became barely bank back awhile away automatically aunt biden biggest bill billing canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bit bills billings as are cannot adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost allowed allow cancelling cant edge day differences didnt delivering declined decisions death deal days daughter creep date dad cutting cut customers customer currently current different direction disappointed discontinue easily earlier each duplicate due drive drastically drain down double dont done doesnt limited do divorce disgusting currency credit card charges college climb city choose choice checking cheaper charging charged covid charge changes change cell caused caring cared care combine combining come coming courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive compared company limit loyal limiting spend states starting started start squeeze spouses spouse spending span stealing sorry soon son something someone some so single stay stepdad terrible success taste talk taking take system switching support summer subscriptions stop subscription subscribers subscriber sub stupid stranger stopping stopped since significant signaling rule second scaling scales saving save same run rules rotating sign rising risen rise ripped right return retiring retired secure see seen sense sight sick shoves shouldn should short she sharing share shady several settled set servicio services service series temporarily than little warrant were went well weeks week we waste was wants whats wanted want waiting wait vs virtue value vaccine what when thank would youll yet years yearly year yall ya wouldn worth where workable wont won without willing wife why who ut using uses through tooo told today tipped times time tightening tight things users thing they these there their thats that thanks town tracking tried try used upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying resume resubscribe restriction never nonesence non no nice next news newest new needed notified need my must multiple much moving moved move nothing now restrict only original or options option opportunity opening opened ontario oneday off one once on ok often offset offered offer more months monthly losing makes make made luck loyalty your lower lost loose month looking longer lol locations location ll living live making manservices many market money monetary mom mistake mind might merge memberships membership members member medical means me maybe may married other others our put rather rates rate raising raise quickly quality putting pushed prefer provider profits profit profiles problem pricing prices president re reactivate reality really
Topic 25 | Coherence=-225124.13 | Top words= not it worth for is me the price expensive to going be increase much keep enough currently used this when charge no amount was unfortunately life times upward with are already about sign started she else hikes everything especially way getting increasing given too go happy nice as been isn itself adding caused want re will seems due benefit got gf greedy give greed free great girl grandkids frequent forth get goes gotten gone from gouging gonna fuel future good garbage gas games first forever every fair fact face extra extortion expenses expected even forcing euro entertainment entertaining end emails email elsewhere family fan far fault food focused flat fixed fix hacked financially financial finally fiance few feet fees feel fee guys youre hackednot hacking keeps keeping justify just joint join job jacking its issues issue isnt iny intolerable into interested instead kept kidding kids less limiting limited limit like letting let lesser legacy lack left leave learning layoff later last laid inflation increments increasses having eliminating higher high her help health he havent history have has hardly hard hand half had hiking holder increases idea increased income in improvements im ill if husband horrible hungry huge how households household house hosehold hike do el benefits bill biggest biden biased biannually bf between better being away begin before becoming because became barely bank back billing billings bills bit cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly awhile automatically care additional agree againlater again after afford adicional addtional addresses addition aunt added activities acct accounts account access acceptance absurd alarming all allow allowed at aren apps aparently anyways anymore any anticonsumer another annually and an amounts amercian am also almost card cared edge days differences didnt deteriorated delivering declined decisions death deal day currency daughter date damn dad cutting cut customers customer different direction disappointed discontinue easily earlier each duplicate drive drastically drain down double dont done don doesnt live divorce disgusts disgusting current creep caring checking combining combine college climbing climb city choose choice cheaper credit charging charges charged changing changes changed change cell come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive little loyal living spend stay states starting start squeeze spouses spouse spending span stepdad sorry soon son something someone some so situation stealing stop since summer temporarily taste talk taking take system switching support success stopped subscriptions subscription subscribers subscriber sub stupid stranger stopping single significant ll rotating scaling scales saving save same run rules rule rising secure risen rise ripped right ridiculous return retiring retired second see signaling shady sight sick shoves shouldn should short sharing share several seen settled set servicio services service series sense selection temporary terrible than warrant what were went well weeks week we waste wants where wanted waiting wait vs virtue value vaccine ut whats while thank wouldn youll you yet years yearly year yall ya would who workable work wont won without willing wife why using uses users think today tired tipped time tightening tight throughout through things use thing they these there their thats that thanks told tooo town tracking us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try tried resume resubscribe restriction news of now notified nothing nonsense nonesence non next newest offer new never needed need my must multiple moving off offered outside opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moved move more lower manservices making makes make made luck loyalty your lost months losing loose looking longer long lol locations location many market married may monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means maybe out over restrict quality rather rates rate raising raises raised raise quickly putting reality put pushed provider profits profit profiles problem pricing reactivate really overpriced remarried restart
Topic 26 | Coherence=-226452.23 | Top words= to and other money it you use price made have as are enough or dont putting kids choose continues activities into need between one up already do go this save my the services much me anymore expensive no that increase better cost get warrant customers waste kidding prefer platforms customer its damn forth needed possible getting gf fan girl far give gas extra face given games guys greedy greed great grandkids gouging gotten got entertaining good gonna entertainment gone especially going goes family garbage euro future feet expenses finally financial expected financially few everything first fix fixed every extortion flat focused hacked fuel food even fees feel for forcing fair fee forever fault free fiance frequent from fact youre hackednot keeping justify just joint join job jacking itself issues issue isnt isn is iny intolerable interested instead inflation keep keeps hacking kept limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack increments increasses increasing increases hikes hike higher high end help health he having havent has hardly hard happy hand half had hiking history holder idea increased income in improvements im ill if husband horrible hungry huge how households household house hosehold her drastically emails begin biggest biden biased biannually bf benefits benefit being before billing been becoming because became be barely bank back bill billings care but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile away automatically addition againlater again after afford adicional addtional addresses additional adding aunt added acct accounts account access acceptance absurd about agree alarming all allow at aren apps aparently anyways any anticonsumer another annually an amounts amount amercian am also almost allowed card cared email decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date dad cutting cut discontinue disgusts caring duplicate elsewhere else eliminating el edge easily earlier each due divorce drive little drain down double done don doesnt currently current currency charging combine college climbing climb city choice checking cheaper charges creep charged charge changing changes changed change cell caused combining come coming company credit covid courtesy country costs continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared limiting loyal live starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber son talk thats thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription soon something living second service series sense selection seen seems see secure scaling set scales saving same run rules rule rotating rising servicio settled someone sight some so situation single since significant signaling sign sick several shoves shouldn should short she sharing share shady their there these week where when whats what were went well weeks we who way was wants wanted want waiting wait vs while why they would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will virtue value vaccine tipped tried tracking town tooo too told today tired times ut time tightening tight throughout through think things thing try trying twice two using uses users used us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable risen rise ripped nonesence offer off of now notified nothing not nonsense non offset nice next news newest new never must multiple offered often owning options own overpriced over outside out our others original option ok opportunity opening opened ontario only oneday once on moving moved move lost manservices making makes make luck loyalty your lower losing more loose looking longer long lol locations location ll many market married may months monthly month monetary moment mom mistake mind might merge memberships membership members member medical means maybe owner pagos right re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing parent restart ridiculous
Topic 27 | Coherence=-213058.83 | Top words= back will be break taking money my we just on for ll getting bit another and of platform saving return own payday ill tightening againlater subscription budget awhile using come time combining next accounts repurposing married divorce monetary might soon instead join elsewhere summer week change layoff card business else later lack enough charging caring give girl gf go given expected goes going gone gonna good got gouging grandkids entertainment great greed greedy guys hacked hackednot gotten free get gas euro few feet fees feel even every fee fault far fan family fair fact face everything extra extortion expensive fiance finally financial forever garbage games future fuel from frequent expenses forth forcing financially food had focused especially flat fixed fix first hacking high half hand keeping keep justify joint job jacking itself its it issues issue isnt isn is iny intolerable into keeps kept kidding let little limiting limited limit like life letting lesser kids less legacy left leave learning last laid interested inflation increments health history hiking hikes hike higher her help he horrible having havent have has hardly hard happy holder hosehold increasses im increasing increases increased increase income in improvements if house idea husband hungry huge how households household entertaining youre end being biden biased biannually bf between better benefits benefit begin aunt before been becoming because became barely bank away biggest bill billing billings cared care cant cannot cancelling canceling cancel can bye by but buggin broke boyfriend both blindly bills automatically at emails addition agree again after afford adicional addtional addresses additional adding as added activities acct account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost caused cell changed declined discontinue disappointed direction different differences didnt deteriorated delivering decisions changes death deal days day daughter date damn dad disgusting disgusts do doesnt email eliminating el edge easily earlier each duplicate due drive live drain down double dont done don cutting cut customers connected competitive compared company coming combine college climbing climb city choose choice checking cheaper charges charged charge changing compromised consider customer consolidating currently current currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant drastically loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber something temporary their the thats that thanks thank than terrible temporarily subscribers taste talk take system switching support success subscriptions son someone rise second service series sense selection seen seems see secure scaling servicio scales save same run rules rule rotating rising services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several there these they way where when whats what were went well weeks waste who was warrant wants wanted want waiting wait vs while why thing wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue value vaccine to try tried tracking town tooo too told today tired ut tipped times tight throughout through this think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under risen ripped location nonsense offset offered offer off now notified nothing not nonesence ok non no nice news newest new never needed often once must original owner overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday need multiple right your many manservices making makes make made luck loyalty lower may lost losing loose looking longer long lol locations market maybe much mom moving moved move more months monthly month moment mistake me mind merge memberships membership members member medical means owning pagos parent rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo parents respect ridiculous
Topic 28 | Coherence=-225555.07 | Top words= and too not new many raised prices subscriptions fees you worth money greedy expensive anymore added getting rules charges no gotten times with continues have extra married but adding got thanks rule up more share stupid really after on high consolidating dont want in policies girl end pleased had keep set two aren sight ya prescription rise focused nothing my second what future go gf give free gouging frequent given good gas goes garbage games from gonna gone going get fuel youre forth every fair fact face extortion expenses expected everything even fan euro especially entertainment entertaining enough emails email family far forever great forcing for food flat fixed fix first financially fault financial finally fiance few feet feel fee grandkids having greed just join job jacking itself its it issues issue isnt isn is iny intolerable into interested instead inflation joint justify increasses keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increments increasing guys hiking hike higher her help health he else havent has hardly hard happy hand half hacking hackednot hacked hikes history increases holder increased increase income improvements im ill if idea husband hungry huge how households household house hosehold horrible elsewhere don eliminating being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing awhile business cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills back away el additional alarming agree againlater again afford adicional addtional addresses addition allow activities acct accounts account access acceptance absurd about all allowed automatically anticonsumer aunt at as are apps aparently anyways any another almost annually an amounts amount amercian am also already card care cared days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed caring drain edge easily earlier each duplicate due drive drastically down discontinue double done like doesnt do divorce disgusts disgusting currently current currency cheaper combine college climbing climb city choose choice checking charging creep charged charge changing changes changed change cell caused combining come coming company credit covid courtesy country costs cost continuous continue continually continously constantly constant consider connected compromised competitive compared life loyal limit start stopped stop stepdad stealing stay states starting started squeeze someone spouses spouse spending spend span sorry soon son stopping stranger sub subscriber that thank than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers something some the save selection seen seems see secure scaling scales saving same so run rotating rising risen ripped right ridiculous return sense series service services situation single since significant signaling sign sick shoves shouldn should short she sharing shady several settled servicio thats their retired waste whats were went well weeks week we way was ut warrant wants wanted waiting wait vs virtue value when where while who youll yet years yearly year yall wouldn would workable work wont won without willing will wife why vaccine using there tightening town tooo told today to tired tipped time tight uses throughout through this think things thing they these tracking tried try trying users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable twice retiring resume limited newest now notified nonsense nonesence non nice next news never monthly needed need must multiple much moving moved move of off offer offered others other original or options option opportunity opening opened ontario only oneday one once ok often offset months month out longer luck loyalty your lower lost losing loose looking long monetary lol locations location ll living live little limiting made make makes making moment mom mistake mind might merge memberships membership members member medical means me maybe may market manservices our outside resubscribe raise reality reactivate re rather rates rate raising raises quickly pricing quality putting put pushed provider profits profit profiles reason recent recently recession
Topic 29 | Coherence=-221141.39 | Top words= my and to on subscription in be live use different don two won both change addresses able another losing get month due the customers spend many service more feet prices go less gf locations spending account between this sharing happy im year week enough addition given good gonna gone going goes added girl give getting adding got garbage gas amount gouging gotten future having havent have has hardly hard hand half had hacking hackednot hacked guys greedy greed great grandkids games frequent fuel fees fee fault far fan family fair fact face extra extortion expensive expenses expected everything every even euro feel addtional from few health free forth forever forcing for food focused additional flat fixed fix first financially financial finally fiance he high help later laid lack kids kidding kept keeps keeping keep justify just joint join job jacking itself its it last layoff her learning living about little limiting limited absurd limit like life letting let lesser acceptance legacy left leave access issues issue isnt isn husband hungry huge how households activities household house hosehold horrible holder history hiking hikes hike higher entertainment idea if ill inflation is iny accounts intolerable into interested instead increments improvements increasses increasing increases increased increase income acct especially end entertaining cancelling allow cancel can bye by but business buggin budget broke break boyfriend allowed blindly bit bills almost canceling cannot choose cant checking cheaper alarming charging charges charged charge changing changes changed all cell caused caring cared care card billings billing bill biggest am away automatically aunt at as aren are apps aparently anyways anymore any anticonsumer amercian annually an awhile back bank benefit biden biased biannually bf better already benefits being barely begin before been becoming because became also choice city amounts afford do divorce disgusts disgusting discontinue disappointed direction after differences didnt deteriorated delivering declined decisions death deal again doesnt done climb dont emails email elsewhere else eliminating el edge easily earlier each duplicate adicional drive drastically drain down ll days day daughter date continously constantly constant consolidating agree consider connected compromised competitive compared company coming come combining combine college climbing continually continue continues current damn dad cutting cut againlater customer currently currency continuous creep credit covid courtesy country costs cost double youre location started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse span sorry soon son something stranger sub some talk that thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers someone so their save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation shouldn single since significant signaling sign sight sick shoves should services short she share shady several settled set servicio thats there ridiculous way when whats what were went well weeks we waste while was warrant wants wanted want waiting wait vs where who value would youll you yet years yearly yall ya wouldn worth why workable work wont without with willing will wife virtue vaccine these times tracking town tooo too told today tired tipped time try tightening tight throughout through think things thing they tried trying ut up using uses users used us upward upping upcoming until twice unneeded unnecessary unfortunately unfair unemployed understand under unable right return lol not offset offered offer off of now notified nothing nonsense ok nonesence non no nice next news newest new often once needed original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday never need owning made maybe may married market manservices making makes make luck means loyalty your lower lost loose looking longer long me medical must monetary multiple much moving moved move months monthly money moment member mom mistake mind might merge memberships membership members owner pagos retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits reside retired resume
Topic 30 | Coherence=-215393.11 | Top words= not you worth it your and customers service customer daughter increase garbage care rate keep bye do good even college thank anyways ut uses about in re using really raising reason canceling popular with series living few fault increasing focused spouses spending married aren gas fuel get from frequent free games future youre getting got guys greedy greed great grandkids gouging gotten gonna gf gone going goes go forth give girl given financial forever fair face extra extortion expensive expenses expected everything every euro especially entertainment entertaining enough end emails fact family forcing fan for food flat fixed fix first financially hackednot finally fiance feet fees feel fee far hacked havent hacking jacking kept keeps keeping justify just joint join job itself kids its issues issue isnt isn is iny intolerable kidding lack had let live little limiting limited limit like life letting lesser laid less legacy left leave learning layoff later last into interested instead he hiking hikes hike higher high her help health having inflation elsewhere have has hardly hard happy hand half history holder horrible hosehold increments increasses increases increased income improvements im ill if idea husband hungry huge how households household house email drain else before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically budget cannot cancelling cancel can by but business buggin broke bill break boyfriend both blindly bit bills billings billing away aunt eliminating addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all at annually as are apps aparently anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cant card cared deal different differences didnt deteriorated delivering declined decisions death days disappointed day date damn dad cutting cut currently current direction discontinue caring drastically el edge easily earlier each duplicate due drive location disgusting down double dont done don doesnt divorce disgusts currency creep credit charging combine climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed change cell caused combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared ll loyal locations states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouse spend span sorry soon sub subscribers something taste the thats that thanks than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions son someone there scales sense selection seen seems see secure second scaling saving servicio save same run rules rule rotating rising risen services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their these ripped way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while value would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why virtue vaccine they times town tooo too told today to tired tipped time tried tightening tight throughout through this think things thing tracking try users unneeded used use us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice rise right lol non offer off of now notified nothing nonsense nonesence no offset nice next news newest new never needed need offered often must option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on my multiple overpriced made maybe may market many manservices making makes make luck means loyalty lower lost losing loose looking longer long me medical much monetary moving moved move more months monthly month money moment member mom mistake mind might merge memberships membership members over own ridiculous raised recession recently recent reality reactivate rather rates raises raise redo quickly quality putting put pushed provider profits profit rectifying reduce problem respect return retiring
Topic 31 | Coherence=-216025.54 | Top words= my now service the for through subscription on as be going am provider divorce you getting wife phone left courtesy with moving canceling get will thank connected horrible free replace cell paying what is cheaper got reduce married few drain other future games gf gas girl garbage youre give given hackednot hacked guys greedy greed great grandkids gouging gotten good from gonna gone goes go fuel flat frequent every fact face extra extortion expensive expenses expected everything even forth euro especially entertainment entertaining enough end emails email fair family fan far forever forcing food focused had fixed fix first financially financial finally fiance feet fees feel fee fault hacking having half jacking keeps keeping keep justify just joint join job itself kidding its it issues issue isnt isn iny intolerable kept kids hand let live little limiting limited limit like life letting lesser lack less legacy leave learning layoff later last laid into interested instead help holder history hiking hikes hike higher high her health inflation he else havent have has hardly hard happy hosehold house household households increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how elsewhere drastically eliminating been bf between better benefits benefit being begin before becoming biased because became barely bank back awhile away automatically biannually biden at broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt aren cannot adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amounts amount amercian also already almost allowed allow cancelling cant el day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency down edge easily earlier each duplicate due drive ll double disappointed dont done don doesnt do disgusts disgusting discontinue current creep card charged climbing climb city choose choice checking charging charges charge combine changing changes changed change caused caring cared care college combining credit continously covid country costs cost continuous continues continue continually constantly come constant consolidating consider compromised competitive compared company coming living loyal location started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something talk thats that thanks than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers son someone there scaling series sense selection seen seems see secure second scales servicio saving save same run rules rule rotating rising services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their these rise was were went well weeks week we way waste warrant when wants wanted want waiting wait vs virtue value whats where ut would youll yet years yearly year yall ya wouldn worth while workable work wont won without willing why who vaccine using they tipped tracking town tooo too told today to tired times try time tightening tight throughout this think things thing tried trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two risen ripped locations non offer off of notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered often multiple options overpriced over outside out our others original or option ok opportunity opening opened ontario only oneday one once must much owner loyalty market many manservices making makes make made luck your maybe lower lost losing loose looking longer long lol may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical own owning right rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo profits restart ridiculous return
Topic 32 | Coherence=-211006.21 | Top words= raised once pay dont cancel offer your shady almost tried you fact like used also price that will get but moving rejoin settled have day costs again recession inflation rising until waiting got out games future fuel garbage gas from getting frequent free youre gf girl hackednot hacked guys greedy greed great grandkids gouging gotten good gonna forth going goes go given give gone first forever even face extra extortion expensive expenses expected everything every euro forcing especially entertainment entertaining enough end emails email elsewhere fair family fan far for food focused flat fixed fix had financially financial finally fiance few feet fees feel fee fault hacking having half job kept keeps keeping keep justify just joint join jacking kids itself its it issues issue isnt isn is kidding lack intolerable let living live little limiting limited limit life letting lesser laid less legacy left leave learning layoff later last iny into hand her horrible holder history hiking hikes hike higher high help house health he eliminating havent has hardly hard happy hosehold household interested in instead increments increasses increasing increases increased increase income improvements households im ill if idea husband hungry huge how else drastically el edge biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away biased biden biggest budget cannot cancelling canceling can bye by business buggin broke bill break boyfriend both blindly bit bills billings billing automatically aunt at adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow and an amounts amount amercian am already allowed cant card care daughter didnt deteriorated delivering declined decisions death deal days date different damn dad cutting cut customers customer currently current differences direction creep down easily earlier each duplicate due drive location drain double disappointed done don doesnt do divorce disgusts disgusting discontinue currency credit cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining covid constantly courtesy country cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming ll loyal locations states stupid stranger stopping stopped stop stepdad stealing stay starting subscriber started start squeeze spouses spouse spending spend span sub subscribers soon taste the thats thanks thank than terrible temporary temporarily talk subscription taking take system switching support summer success subscriptions sorry son there second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set something sign someone some so situation single since significant signaling sight several sick shoves shouldn should short she sharing share their these rise we when whats what were went well weeks week way while waste was warrant wants wanted want wait vs where who value would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife virtue vaccine they times town tooo too told today to tired tipped time try tightening tight throughout through this think things thing tracking trying ut up using uses users use us upward upping upcoming unneeded twice unnecessary unfortunately unfair unemployed understand under unable two risen ripped lol non off of now notified nothing not nonsense nonesence no offset nice next news newest new never needed need offered often must options overpriced over outside our others other original or option ok opportunity opening opened ontario only oneday one on my multiple owner made may married market many manservices making makes make luck me loyalty lower lost losing loose looking longer long maybe means much moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member own owning right rates recently recent reason really reality reactivate re rather rate redo raising raises raise quickly quality putting put pushed rectifying reduce profits restart ridiculous return
Topic 33 | Coherence=-221227.07 | Top words= again this if to not will bye back it of fact only paying before months good start come take other for need rectifying just things that care give forever first makes consider never issue reactivate want you keeps rising more me save going price living we isn less future fuel from frequent free forth forcing financially lesser food focused let flat fixed fix games garbage gas get got later layoff gonna gone learning leave goes go given left legacy girl gf getting letting financial gouging expensive expected everything limited limiting every even euro especially entertainment entertaining enough end emails email elsewhere expenses extortion finally limit fiance few feet fees feel fee fault far fan family fair life face like extra gotten grandkids is increase in improvements im ill join idea husband hungry joint huge how households justify household house income job horrible increased iny isnt issues intolerable into interested instead inflation its increments increasses itself increasing jacking increases hosehold holder great havent has hardly hard laid happy hand half had hacking hackednot hacked guys greedy greed last have lack history having hiking keep keeping hikes kept hike higher kidding high her help health eliminating he kids else youre el cant biannually bf between better benefits benefit being begin been becoming because became be barely bank awhile away automatically aunt biased biden biggest budget cancelling canceling cancel can by but business buggin broke bill break boyfriend both blindly bit bills billings billing at as aren adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all are and apps aparently anyways anymore any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot card edge cared differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently different direction disappointed down easily earlier each duplicate due drive drastically little double discontinue dont done don doesnt do divorce disgusts disgusting current currency creep charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining credit continually covid courtesy country costs cost continuous continues continue continously coming constantly constant consolidating connected compromised competitive compared company drain loyal live starting stranger stopping stopped stop stepdad stealing stay states started sub squeeze spouses spouse spending spend span sorry soon stupid subscriber something taste the thats thanks thank than terrible temporary temporarily talk subscribers taking system switching support summer success subscriptions subscription son someone ll second service series sense selection seen seems see secure scaling servicio scales saving same run rules rule rotating risen services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their there these way when whats what were went well weeks week waste while was warrant wants wanted waiting wait vs virtue where who they would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife value vaccine ut tired try tried tracking town tooo too told today tipped using times time tightening tight throughout through think thing trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped right non offered offer off now notified nothing nonsense nonesence no often nice next news newest new needed my must offset ok owning or own overpriced over outside out our others original options on option opportunity opening opened ontario oneday one once multiple much moving lower many manservices making make made luck loyalty your lost moved losing loose looking longer long lol locations location market married may maybe move monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means owner pagos ridiculous rate recently recent reason really reality re rather rates raising redo raises raised raise quickly quality putting put pushed recession reduce parent respect return
Topic 34 | Coherence=-223253.49 | Top words= and to the my different will in you want me with cancel that moved since of membership is mom be places restrict two country price currency subscriptions current changed location live who subscriber where service son increases emails same double boyfriend tried going payment wants span upcoming how another locations break really ill save email cheaper news from grandkids frequent free future fuel good games give got gonna gone goes go given girl garbage gf forth gotten getting gouging gas get youre forever forcing fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end family fan far financially for food focused flat fixed fix first financial fault finally fiance few feet fees feel fee great having greed issue joint join job jacking itself its it issues isnt greedy isn iny intolerable into interested instead inflation increments just justify keep keeping letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increasses increasing increased high help health he else havent have has hardly hard happy hand half had hacking hackednot hacked guys her higher increase hike income improvements im if idea husband hungry huge households household house hosehold horrible holder history hiking hikes elsewhere doesnt eliminating becoming between better benefits benefit being begin before been because biannually became barely bank back awhile away automatically aunt bf biased el budget cancelling canceling can bye by but business buggin broke biden both blindly bit bills billings billing bill biggest at as aren adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed allow cannot cant card days differences didnt deteriorated delivering declined decisions death deal day creep daughter date damn dad cutting cut customers customer direction disappointed discontinue disgusting edge easily earlier each duplicate due drive drastically drain down dont done don like do divorce disgusts currently credit care charges college climbing climb city choose choice checking charging charged covid charge changing changes change cell caused caring cared combine combining come coming courtesy costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company life loyal limit spouses stepdad stealing stay states starting started start squeeze spouse single spending spend sorry soon something someone some so stop stopped stopping stranger than terrible temporary temporarily taste talk taking take system switching support summer success subscription subscribers sub stupid situation significant thanks rule see secure second scaling scales saving run rules rotating signaling rising risen rise ripped right ridiculous return retiring seems seen selection sense sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services series thank thats resume waste what were went well weeks week we way was using warrant wanted waiting wait vs virtue value vaccine whats when while why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife ut uses their tight too told today tired tipped times time tightening throughout users through this think things thing they these there tooo town tracking try used use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand under unable twice trying retired resubscribe limited nice now notified nothing not nonsense nonesence non no next move newest new never needed need must multiple much off offer offered offset others other original or options option opportunity opening opened ontario only oneday one once on ok often moving more out losing makes make made luck loyalty your lower lost loose months looking longer long lol ll living little limiting making manservices many market monthly month money monetary moment mistake mind might merge memberships members member medical means maybe may married our outside restriction quickly re rather rates rate raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reactivate reality reason recent
Topic 35 | Coherence=-210801.85 | Top words= price and your since that was has hike for gone months like selection of member deteriorated drastically or good just span in no after oneday sorry its been earlier went members respect have legacy run stupid again up before customer loyal anymore service activities think forcing from frequent free forth let forever food letting financially life focused flat fixed fix fuel future games given got leave gonna left going goes go give garbage girl gf getting get gas less lesser first financial gouging little expenses expected everything every even euro especially entertainment finally entertaining enough end live emails email elsewhere expensive limiting extortion extra fiance few feet fees feel fee limit limited fault far fan family fair fact face gotten learning job income keeping increasses increasing increases increased increase keeps kept huge improvements im ill if idea kidding husband keep increments inflation justify jacking itself join it issues joint issue isnt isn is iny intolerable into interested instead hungry how grandkids half havent later layoff hardly hard happy hand had households hacking hackednot hacked guys greedy greed great having he else last household house hosehold horrible kids holder history hiking hikes lack higher high laid her help health down eliminating benefit biggest biden biased biannually bf between better benefits being billing begin becoming because became be barely bank back bill billings away but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile automatically el addition alarming agree againlater afford adicional addtional addresses additional adding allow added acct accounts account access acceptance absurd about all allowed aunt anticonsumer at as aren are apps aparently anyways any another almost annually an amounts amount amercian am also already card care cared daughter didnt delivering declined decisions death deal days day date different damn dad cutting cut customers currently current currency differences direction caring double edge easily each duplicate due drive drain ll dont disappointed done don doesnt do divorce disgusts disgusting discontinue creep credit covid charging college climbing climb city choose choice checking cheaper charges courtesy charged charge changing changes changed change cell caused combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company living youre location stay subscriber sub stranger stopping stopped stop stepdad stealing states subscription starting started start squeeze spouses spouse spending spend subscribers subscriptions son temporary there their the thats thanks thank than terrible temporarily success taste talk taking take system switching support summer soon something they scales series sense seen seems see secure second scaling saving servicio save same rules rule rotating rising risen rise services set someone sick some so situation single significant signaling sign sight shoves settled shouldn should short she sharing share shady several these thing locations week while where when whats what were well weeks we why way waste warrant wants wanted want waiting wait who wife virtue wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs value things to try tried tracking town tooo too told today tired twice tipped times time tightening tight throughout through this trying two vaccine upping ut using uses users used use us upward upcoming unable until unneeded unnecessary unfortunately unfair unemployed understand under ripped right ridiculous nonsense offset offered offer off now notified nothing not nonesence ok non nice next news newest new never needed often on my other owner own overpriced over outside out our others original once options option opportunity opening opened ontario only one need must return luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking longer long lol may me multiple monetary much moving moved move more monthly month money moment means mom mistake mind might merge memberships membership medical owning pagos parent rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parents reside retiring
Topic 36 | Coherence=-220475.67 | Top words= price the have subscription is change ridiculous pay we increases in where fee use locations different upcoming anticonsumer my to acceptance reality lack but that for sharing live poland good amercian need discontinue of weeks several customers horrible not opening upping able gouging doesnt subscriptions buggin stop charging get getting gf even especially girl give given gas garbage go euro goes entertainment going gone games gonna entertaining enough got end gotten grandkids emails great email greed greedy every fees feet first fact fair family fan far fix fault expected financially financial feel finally fiance few fixed face extra extortion flat focused food expensive forcing forever forth free frequent expenses from fuel future everything havent guys its keep justify just joint join job jacking itself it keeps issues issue isnt isn iny intolerable into interested keeping kept hacked less limiting limited limit like life letting let lesser legacy kidding left leave learning layoff later last laid kids instead inflation increments else hike higher high her help health he having has increasses hardly hard happy hand half had hacking hackednot hikes hiking history holder increasing increased increase income improvements im ill if idea husband hungry huge how households household house hosehold elsewhere double eliminating becoming between better benefits benefit being begin before been because biannually became be barely bank back awhile away automatically bf biased cannot break canceling cancel can bye by business budget broke boyfriend biden both blindly bit bills billings billing bill biggest aunt at as addition againlater again after afford adicional addtional addresses additional adding aren added activities acct accounts account access absurd about agree alarming all allow are apps aparently anyways anymore any another annually and an amounts amount am also already almost allowed cancelling cant el date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customer currently current currency creep deteriorated differences card drain edge easily earlier each duplicate due drive drastically down direction dont done don do divorce disgusts disgusting disappointed credit covid courtesy charged climbing climb city choose choice checking cheaper charges charge country changing changes changed cell caused caring cared care college combine combining come costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming little youre living squeeze stopped stepdad stealing stay states starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some talk thats thanks thank than terrible temporary temporarily taste taking sub take system switching support summer success subscribers subscriber someone so return save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation shouldn single since significant signaling sign sight sick shoves should service short she share shady settled set servicio services their there these way while when whats what were went well week waste why was warrant wants wanted want waiting wait vs who wife they wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing virtue value vaccine times tracking town tooo too told today tired tipped time ut tightening tight throughout through this think things thing tried try trying twice using uses users used us upward up until unneeded unnecessary unfortunately unfair unemployed understand under unable two right retiring ll nice off now notified nothing nonsense nonesence non no next offered news newest new never needed must multiple much offer offset moved option outside out our others other original or options opportunity often opened ontario only oneday one once on ok moving move retired your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol location market may more mind months monthly month money monetary moment mom mistake might maybe merge memberships membership members member medical means me over overpriced own raises reason really reactivate re rather rates rate raising raised recently raise quickly quality putting put pushed provider profits recent recession owner repurposing resume
Topic 37 | Coherence=-219004.09 | Top words= your increasing are the rates price others do thing same than who higher for and new prices better services workable use system hardly time keeps while waste but point little value offer learning would rather of continually delivering raised lesser money not spend down me temporarily scaling rising on second after rejoin wife good got forcing forever forth given give girl free frequent goes gf gonna from fuel getting going gone get future games gas garbage go youre food euro extra extortion expensive expenses expected everything every even especially focused entertainment entertaining enough end emails email elsewhere else face fact fair family flat fixed fix first financially financial finally fiance few feet fees gouging feel fee fault far fan gotten has grandkids job itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increases jacking join increase joint let less legacy left leave layoff later last laid lack kids kidding kept keeping keep justify just increased income great high help health he having havent have hard happy hand half had hacking hackednot hacked guys greedy greed her hike in hikes improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history hiking eliminating don el been biannually bf between benefits benefit being begin before becoming biden because became be barely bank back awhile away biased biggest aunt budget cancelling canceling cancel can bye by business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at cant adding againlater again afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as annually aren apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cannot card edge date deteriorated declined decisions death deal days day daughter damn differences dad cutting cut customers customer currently current currency didnt different credit double easily earlier each duplicate due drive drastically drain dont direction done life doesnt divorce disgusts disgusting discontinue disappointed creep covid care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine courtesy constant country costs cost continuous continues continue continously constantly consolidating combining consider connected compromised competitive compared company coming come letting loyal like squeeze stop stepdad stealing stay states starting started start spouses so spouse spending span sorry soon son something someone stopped stopping stranger stupid thanks thank terrible temporary taste talk taking take switching support summer success subscriptions subscription subscribers subscriber sub some situation thats run selection seen seems see secure scales saving save rules single rule rotating risen rise ripped right ridiculous return sense series service servicio since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set that their retired was what were went well weeks week we way warrant using wants wanted want waiting wait vs virtue vaccine whats when where why youll you yet years yearly year yall ya wouldn worth work wont won without with willing will ut uses there times town tooo too told today to tired tipped tightening users tight throughout through this think things they these tracking tried try trying used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice retiring resume limit needed nonesence non no nice next news newest never need monthly my must multiple much moving moved move more nonsense nothing notified now original or options option opportunity opening opened ontario only oneday one once ok often offset offered off months month our longer made luck loyalty lower lost losing loose looking long monetary lol locations location ll living live limiting limited make makes making manservices moment mom mistake mind might merge memberships membership members member medical means maybe may married market many other out resubscribe quality reality reactivate re rate raising raises raise quickly putting prescription put pushed provider profits profit profiles problem pricing really reason recent recently
Topic 38 | Coherence=-226519.06 | Top words= extra of you charging share your because greedy many also hikes price fan the over few past way years money not to out my me with cant stay grandkids without expenses off laid town months gonna is reducing unnecessary cutting going in continue go caring temporary amount policy choice country can hosehold girl gouging hacked guys garbage gas get greed great got gotten good gone goes given getting gf give youre for games everything far family fair fact face extortion expensive expected every fee even euro especially entertainment entertaining enough end emails fault feel future focused fuel from frequent free forth forever forcing food flat fees fixed fix first financially financial finally fiance feet hackednot he hacking keeps keep justify just joint join job jacking itself its it issues issue isnt isn iny intolerable into keeping kept instead kidding limited limit like life letting let lesser less legacy left leave learning layoff later last lack kids interested inflation had holder hiking hike higher high her help health elsewhere having havent have has hardly hard happy hand half history horrible increments house increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how households household email drain else been bf between better benefits benefit being begin before becoming biased became be barely bank back awhile away automatically biannually biden at broke canceling cancel bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as cannot adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another and all an amounts amercian am already almost allowed allow cancelling card eliminating death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn dad cut customers disappointed disgusting currently drastically el edge easily earlier each duplicate due drive little disgusts down double dont done don doesnt do divorce customer current care charges combine college climbing climb city choose checking cheaper charged come charge changing changes changed change cell caused cared combining coming currency continually creep credit covid courtesy costs cost continuous continues continously company constantly constant consolidating consider connected compromised competitive compared limiting loyal live start stopping stopped stop stepdad stealing states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub someone taking that thanks thank than terrible temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers something some living scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she sharing shady several settled set thats their there was what were went well weeks week we waste warrant when wants wanted want waiting wait vs virtue value whats where these worth youll yet yearly year yall ya wouldn would workable while work wont won willing will wife why who vaccine ut using time tracking tooo too told today tired tipped times tightening uses tight throughout through this think things thing they tried try trying twice users used use us upward upping upcoming up until unneeded unfortunately unfair unemployed understand under unable two rise ripped right no offered offer now notified nothing nonsense nonesence non nice often next news newest new never needed need must offset ok owning options own overpriced outside our others other original or option on opportunity opening opened ontario only oneday one once multiple much moving lost manservices making makes make made luck loyalty lower losing moved loose looking longer long lol locations location ll market married may maybe move more monthly month monetary moment mom mistake mind might merge memberships membership members member medical means owner pagos ridiculous rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo parent respect return
Topic 39 | Coherence=-218887.37 | Top words= price increases to is the money more with need deal saving has problem me continuous in months be over pushed two edge time sharing rise short cost sight shady gotten consider biggest amount covid broke better enough isnt of else tired hike gouging forth selection spend from fuel grandkids free frequent great given got good give gone future going games garbage gas get getting goes gf go girl gonna youre forever everything fair fact face extra extortion expensive expenses expected every forcing even euro especially entertainment entertaining end emails email family fan far fault for food focused flat fixed greedy fix first financially financial finally fiance few feet fees feel fee greed have guys jacking keeps keeping keep justify just joint join job itself kidding its it issues issue isn iny intolerable into kept kids hacked lesser little limiting limited limit like life letting let less lack legacy left leave learning layoff later last laid interested instead inflation having hiking hikes higher high her help health he havent increments hardly hard happy hand half had hacking hackednot history holder horrible hosehold increasses increasing increased increase income improvements im ill if idea husband hungry huge how households household house elsewhere double eliminating becoming bf between benefits benefit being begin before been because biased became barely bank back awhile away automatically aunt biannually biden as buggin cancelling canceling cancel can bye by but business budget bill break boyfriend both blindly bit bills billings billing at aren el adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amounts amercian am also already almost allowed allow cannot cant card day differences didnt deteriorated delivering declined decisions death days daughter direction date damn dad cutting cut customers customer currently different disappointed care down easily earlier each duplicate due drive drastically drain living discontinue dont done don doesnt do divorce disgusts disgusting current currency creep charged climb city choose choice checking cheaper charging charges charge credit changing changes changed change cell caused caring cared climbing college combine combining courtesy country costs continues continue continually continously constantly constant consolidating connected compromised competitive compared company coming come live loyal ll stealing subscriber sub stupid stranger stopping stopped stop stepdad stay subscription states starting started start squeeze spouses spouse spending subscribers subscriptions sorry temporary there their thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer span soon ridiculous scales series sense seen seems see secure second scaling save services same run rules rule rotating rising risen ripped service servicio son signaling something someone some so situation single since significant sign set sick shoves shouldn should she share several settled these they thing week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why things wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will wait vs virtue told twice trying try tried tracking town tooo too today value tipped times tightening tight throughout through this think unable under understand unemployed vaccine ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair right return location nonesence offered offer off now notified nothing not nonsense non often no nice next news newest new never needed offset ok must options overpriced outside out our others other original or option on opportunity opening opened ontario only oneday one once my multiple retiring your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may much mistake moving moved move monthly month monetary moment mom mind maybe might merge memberships membership members member medical means own owner owning rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put provider recently rectifying pagos reside retired
Topic 40 | Coherence=-222453.77 | Top words= you for to don and just pay that my want need sharing raising subscriptions have guys people from charging anymore stop something because they two married memberships keep husband got fault enough now subscription charge recently yearly loose time prefer share spend leave were wants girl expensive goes go given give gf gone extortion getting extra get gas garbage going fee entertainment gonna good elsewhere expected everything else gotten gouging every grandkids great even eliminating euro expenses face far emails feel fees feet few fiance finally financial financially first greed fix fan fixed end entertaining games flat especially food email forcing forever family forth free frequent fair fact fuel future focused youre greedy issue joint join job jacking itself its it issues isnt keeping isn is iny intolerable into interested instead inflation justify keeps increasses legacy limited limit like life letting let lesser less left kept learning layoff later last laid lack kids kidding increments increasing hacked edge higher high her help health he having havent has hikes hardly hard happy hand half had hacking hackednot hike hiking increases idea increased increase income in improvements im ill if hungry history huge how households household house hosehold horrible holder el done easily earlier biannually bf between better benefits benefit being begin before been becoming became be barely bank back awhile away automatically biased biden biggest budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an are apps aparently anyways any anticonsumer another annually amounts all amount amercian am also already almost allowed allow cancelling cannot cant date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences credit dont each duplicate due drive drastically drain down double little different doesnt do divorce disgusts disgusting discontinue disappointed direction creep covid card charged climbing climb city choose choice checking cheaper charges changing combine changes changed change cell caused caring cared care college combining courtesy constantly country costs cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming limiting loyal live spouses stepdad stealing stay states starting started start squeeze spouse stopping spending span sorry soon son someone some so stopped stranger the taking thanks thank than terrible temporary temporarily taste talk take stupid system switching support summer success subscribers subscriber sub situation single since run see secure second scaling scales saving save same rules significant rule rotating rising risen rise ripped right ridiculous seems seen selection sense signaling sign sight sick shoves shouldn should short she shady several settled set servicio services service series thats their retiring way when whats what went well weeks week we waste while was warrant wanted waiting wait vs virtue value where who there worth youll yet years year yall ya wouldn would workable why work wont won without with willing will wife vaccine ut using times tracking town tooo too told today tired tipped tightening uses tight throughout through this think things thing these tried try trying twice users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable return retired living nice of notified nothing not nonsense nonesence non no next offer news newest new never needed must multiple much off offered outside opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moving moved move lower manservices making makes make made luck loyalty your lost more losing looking longer long lol locations location ll many market may maybe months monthly month money monetary moment mom mistake mind might merge membership members member medical means me out over resume raise reality reactivate re rather rates rate raises raised quickly reason quality putting put pushed provider profits profit profiles really recent overpriced replace resubscribe
Topic 41 | Coherence=-217411.82 | Top words= to cut as trying much have back possible prices and of need high price for shouldn drive increase bills competitive manservices pick market am due down from with using now my these gas reduce expenses spending months save we been piracy holder medical account death drain before flat keeps gone great even hacked garbage guys greedy get getting gf girl give greed grandkids gonna entertaining gouging gotten got given go good entertainment goes especially euro going every expected games fees financially financial finally fiance few feet fact fix feel fee fault far fair fan first face future forever fuel everything frequent family free forth forcing fixed expensive extortion hacking extra food focused hackednot her had jacking kept keeping keep justify just joint join job itself half its it issues issue isnt isn is iny kidding kids lack laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last intolerable into interested house horrible history hiking hikes hike higher end help health he having havent has hardly hard happy hand hosehold household instead households inflation increments increasses increasing increases increased income in improvements im ill if idea husband hungry huge how enough youre emails benefit biggest biden biased biannually bf between better benefits being billing begin becoming because became be barely bank awhile bill billings automatically by card cant cannot cancelling canceling cancel can bye but bit business buggin budget broke break boyfriend both blindly away aunt cared addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts access acceptance absurd about agree all at another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian also already almost allowed care caring email deal direction different differences didnt deteriorated delivering declined decisions days discontinue day daughter date damn dad cutting customers customer disappointed disgusting current duplicate elsewhere else eliminating el edge easily earlier each living disgusts drastically double dont done don doesnt do divorce currently currency caused cheaper combine college climbing climb city choose choice checking charging come charges charged charge changing changes changed change cell combining coming creep continue credit covid courtesy country costs cost continuous continues continually company continously constantly constant consolidating consider connected compromised compared live loyal ll stealing subscriber sub stupid stranger stopping stopped stop stepdad stay subscription states starting started start squeeze spouses spouse spend subscribers subscriptions sorry temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer span soon rising see servicio services service series sense selection seen seems secure settled second scaling scales saving same run rules rule set several son signaling something someone some so situation single since significant sign shady sight sick shoves should short she sharing share there they thing week where when whats what were went well weeks way who waste was warrant wants wanted want waiting wait while why things wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vs virtue value tired try tried tracking town tooo too told today tipped vaccine times time tightening tight throughout through this think twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rotating risen location not ok often offset offered offer off notified nothing nonsense once nonesence non no nice next news newest new on one needed other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only never must rise your married many making makes make made luck loyalty lower maybe lost losing loose looking longer long lol locations may me multiple moment moving moved move more monthly month money monetary mom means mistake mind might merge memberships membership members member owning pagos parent reactivate redo rectifying recession recently recent reason really reality re reflect rather rates rate raising raises raised raise quickly reducing rejoin parents restriction ripped
Topic 42 | Coherence=-209460.53 | Top words= to cut just expenses costs almost need fuel having the rise entertainment month in new other on increased rent per back with moving ontario reducing location looking and unneeded must retiring offer from hacked garbage games future life like frequent free forth forever forcing for food focused flat limit fixed gas get getting good greedy greed great grandkids gouging gotten got gonna gf gone going goes go given give girl fix keep first live expected everything every even little euro especially entertaining limited enough end living emails email elsewhere else limiting expensive financially fee financial finally fiance few feet fees feel fault extortion far fan family fair fact face extra guys letting justify later intolerable into last interested instead inflation increments increasses lack increasing increases layoff increase income learning improvements laid iny ill kept keeping joint keeps join job jacking itself its kids it issues issue isnt kidding isn is im if hackednot have her eliminating lesser health he let havent has higher hardly hard happy hand half had hacking high hike idea household husband hungry leave huge how left households legacy less house hosehold horrible holder history hiking hikes help youre el aunt biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank awhile away biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings automatically at cant as againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree alarming all another aren are apps aparently anyways anymore any anticonsumer annually allow an amounts amount amercian am also already allowed cannot card edge creep differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting customers customer currently current different direction disappointed down easily earlier each duplicate due drive drastically drain double discontinue dont done don doesnt do divorce disgusts disgusting currency credit care covid climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change cell caused caring cared college combine combining constantly courtesy country cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming ll loyal locations lol subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending subscription subscriptions success terrible these there their thats that thanks thank than temporary summer temporarily taste talk taking take system switching support spend span sorry seen settled set servicio services service series sense selection seems shady see secure second scaling scales saving save same several share soon significant son something someone some so situation single since signaling sharing sign sight sick shoves shouldn should short she they thing things week where when whats what were went well weeks we who way waste was warrant wants wanted want waiting while why vs wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will wait virtue think today trying try tried tracking town tooo too told tired two tipped times time tightening tight throughout through this twice unable value upward vaccine ut using uses users used use us upping under upcoming up until unnecessary unfortunately unfair unemployed understand run rules rule nothing ok often offset offered off of now notified not one nonsense nonesence non no nice next news newest once oneday needed out parent pagos owning owner own overpriced over outside our only others original or options option opportunity opening opened never my passed made may married market many manservices making makes make luck me loyalty your lower lost losing loose longer long maybe means multiple moment much moved move more months monthly money monetary mom medical mistake mind might merge memberships membership members member parents past rotating reactivate redo rectifying recession recently recent reason really reality re reflect rather rates rate raising raises raised raise quickly reduce rejoin putting resubscribe rising risen
Topic 43 | Coherence=-219968.10 | Top words= and family don bill increase share like limit power extra using about money with that paying want outside when states my idea subscription it in someone moved garbage cheaper quality why pay blindly who already agree hosehold euro currency should unable has increased increases gf dont subscriptions fiance entertainment everything every even gas get getting especially girl give given go goes going gone gonna finally entertaining good got enough gotten gouging end grandkids emails great email elsewhere greed else games expected future expenses few financial financially first fix feet fees greedy flat focused feel fee food fault for far fan fair fact forcing face extortion forever forth free expensive frequent from fuel fixed havent guys jacking keeps keeping keep justify just joint join job itself hacked its issues issue isnt isn is iny intolerable kept kidding kids lack live little limiting limited life letting let lesser less legacy left leave learning layoff later last laid into interested instead hikes higher high her help health he having el have hardly hard happy hand half had hacking hackednot hike hiking inflation history increments increasses increasing income improvements im ill if husband hungry huge how households household house horrible holder eliminating youre edge before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically business cannot cancelling canceling cancel can bye by but buggin billing budget broke break boyfriend both bit bills billings away aunt easily addition againlater again after afford adicional addtional addresses additional adding all added activities acct accounts account access acceptance absurd alarming allow at anticonsumer as aren are apps aparently anyways anymore any another allowed annually an amounts amount amercian am also almost cant card care daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different cared double earlier each duplicate due drive drastically drain down ll direction done doesnt do divorce disgusts disgusting discontinue disappointed creep credit covid charges college climbing climb city choose choice checking charging charged courtesy charge changing changes changed change cell caused caring combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company living loyal location squeeze stopped stop stepdad stealing stay starting started start spouses stranger spouse spending spend span sorry soon son something stopping stupid so talk thats thanks thank than terrible temporary temporarily taste taking sub take system switching support summer success subscribers subscriber some situation their same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense single short since significant signaling sign sight sick shoves shouldn she series sharing shady several settled set servicio services service the there locations waste what were went well weeks week we way was where warrant wants wanted waiting wait vs virtue value whats while ut wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vaccine uses these time tooo too told today to tired tipped times tightening tracking tight throughout through this think things thing they town tried users unneeded used use us upward upping upcoming up until unnecessary try unfortunately unfair unemployed understand under two twice trying ridiculous return retiring non off of now notified nothing not nonsense nonesence no offered nice next news newest new never needed need offer offset multiple opportunity out our others other original or options option opening often opened ontario only oneday one once on ok must much retired loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe moving mistake move more months monthly month monetary moment mom mind me might merge memberships membership members member medical means over overpriced own raising reason really reality reactivate re rather rates rate raises recently raised raise quickly putting put pushed provider profits recent recession owner repurposing resume
Topic 44 | Coherence=-214253.86 | Top words= subscription not it so do is have just you my that good ill want an credit but why services dont needed compromised told guys put forth need allowed bank bill automatically worth wanted think am currently often another spouses up nothing future fuel garbage gas games girl get getting hacking hackednot hacked greedy greed great grandkids gouging gotten got gonna gone going goes go given give frequent gf from youre free every fact face extra extortion expensive expenses expected everything even family euro especially entertainment entertaining enough end emails email fair fan forever financially forcing for had focused flat fixed fix first financial far finally fiance few feet fees feel fee fault food higher half join kids kidding kept keeps keeping keep justify joint job into jacking itself its issues issue isnt isn iny lack laid last later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff intolerable interested hand her horrible holder history hiking hikes hike else high help instead health he having havent has hardly hard happy hosehold house household households inflation increments increasses increasing increases increased increase income in improvements im if idea husband hungry huge how elsewhere double eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely back awhile biden billing el business cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills away aunt at adding again after afford adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about againlater agree alarming all aren are apps aparently anyways anymore any anticonsumer annually and amounts amount amercian also already almost allow card care cared days differences didnt deteriorated delivering declined decisions death deal day currency daughter date damn dad cutting cut customers customer different direction disappointed discontinue edge easily earlier each duplicate due drive drastically drain down location done don doesnt divorce disgusts disgusting current creep caring charging college climbing climb city choose choice checking cheaper charges covid charged charge changing changes changed change cell caused combine combining come coming courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected competitive compared company ll loyal locations start stopped stop stepdad stealing stay states starting started squeeze stranger spouse spending spend span sorry soon son something stopping stupid some taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber someone situation the save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series single should since significant signaling sign sight sick shoves shouldn short service she sharing share shady several settled set servicio thats their ridiculous way whats what were went well weeks week we waste where was warrant wants waiting wait vs virtue value when while ut would youll yet years yearly year yall ya wouldn workable who work wont won without with willing will wife vaccine using there time town tooo too today to tired tipped times tightening tried tight throughout through this things thing they these tracking try uses unneeded users used use us upward upping upcoming until unnecessary trying unfortunately unfair unemployed understand under unable two twice right return lol nonesence offset offered offer off of now notified nonsense non on no nice next news newest new never must ok once much original own overpriced over outside out our others other or one options option opportunity opening opened ontario only oneday multiple moving owning luck married market many manservices making makes make made loyalty maybe your lower lost losing loose looking longer long may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical owner pagos retiring rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting pushed provider recently rectifying profit reside retired resume
Topic 45 | Coherence=-210509.33 | Top words= will the greed now more new fee from me loose done resume it later month why checking didnt let cancel first bank luck when changing thats where increments less cancelling disgusts company creep year temporarily rejoin subscription ill am gonna greedy grandkids had fuel great future gouging games garbage hacking hackednot gas get getting guys gf girl give frequent given go gotten goes going got good gone hacked youre free every fact face extra extortion expensive expenses expected everything even forth euro especially entertainment entertaining enough end emails email fair family fan far forever forcing for food focused flat fixed half financially financial finally fiance few feet fees feel fault fix help hand job kept keeps keeping keep justify just joint join jacking happy itself its issues issue isnt isn is iny kidding kids lack laid ll living live little limiting limited limit like life letting lesser legacy left leave learning layoff last intolerable into interested hosehold holder history hiking hikes hike higher high her else health he having havent have has hardly hard horrible house instead household inflation increasses increasing increases increased increase income in improvements im if idea husband hungry huge how households elsewhere drastically eliminating becoming between better benefits benefit being begin before been because biannually became be barely back awhile away automatically aunt bf biased as break can bye by but business buggin budget broke boyfriend biden both blindly bit bills billings billing bill biggest at aren el adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are and apps aparently anyways anymore any anticonsumer another annually an all amounts amount amercian also already almost allowed allow canceling cannot cant daughter deteriorated delivering declined decisions death deal days day date different damn dad cutting cut customers customer currently current differences direction card drain edge easily earlier each duplicate due drive locations down disappointed double dont don doesnt do divorce disgusting discontinue currency credit covid charged climbing climb city choose choice cheaper charging charges charge courtesy changes changed change cell caused caring cared care college combine combining come country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared coming location loyal lol long stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son stranger stupid sub talk their that thanks thank than terrible temporary taste taking subscriber take system switching support summer success subscriptions subscribers something someone some scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled there these they was were went well weeks week we way waste warrant whats wants wanted want waiting wait vs virtue value what while ut would youll you yet years yearly yall ya wouldn worth who workable work wont won without with willing wife vaccine using thing tipped tracking town tooo too told today to tired times try time tightening tight throughout through this think things tried trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two risen rise ripped notified on ok often offset offered offer off of nothing one not nonsense nonesence non no nice next news once oneday never others owning owner own overpriced over outside out our other only original or options option opportunity opening opened ontario newest needed parent makes means maybe may married market many manservices making make member made loyalty your lower lost losing looking longer medical members need monthly my must multiple much moving moved move months money membership monetary moment mom mistake mind might merge memberships pagos parents right rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo provider respect ridiculous return
Topic 46 | Coherence=-223682.07 | Top words= subscriptions to greedy extortion disgusting taste its youre company are charge have bill but for pay me about different extra family you my and the expensive switching past so years few also account compared way others away passed over your hikes fan had she charging owning date payment profits mom money how parent this justify now waste benefit gotten goes hacked guys given go gone going got greed gonna great good grandkids gouging give forth girl face feet fees feel fee fault far fair fact expenses finally expected everything every even euro especially entertainment entertaining fiance financial gf frequent getting get gas garbage games future fuel from free financially forever forcing food focused flat fixed fix first hackednot having hacking kept keeping keep just joint join job jacking itself it issues issue isnt isn is iny intolerable into keeps kidding half kids limited limit like life letting let lesser less legacy left leave learning layoff later last laid lack interested instead inflation increments holder history hiking hike higher high her help health he end havent has hardly hard happy hand horrible hosehold house improvements increasses increasing increases increased increase income in im household ill if idea husband hungry huge households enough drain emails begin biden biased biannually bf between better benefits being before billing been becoming because became be barely bank back biggest billings cared by card cant cannot cancelling canceling cancel can bye business bills buggin budget broke break boyfriend both blindly bit awhile automatically aunt additional agree againlater again after afford adicional addtional addresses addition at adding added activities acct accounts access acceptance absurd alarming all allow allowed as aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am already almost care caring email decisions discontinue disappointed direction differences didnt deteriorated delivering declined death divorce deal days day daughter damn dad cutting cut disgusts do caused duplicate elsewhere else eliminating el edge easily earlier each due doesnt drive drastically little down double dont done don customers customer currently choice come combining combine college climbing climb city choose checking current cheaper charges charged changing changes changed change cell coming competitive compromised connected currency creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider limiting loyal live started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending spend span sorry soon stranger sub something temporarily their thats that thanks thank than terrible temporary talk subscriber taking take system support summer success subscription subscribers son someone living scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services some shoves situation single since significant signaling sign sight sick shouldn servicio should short sharing share shady several settled set there these they we when whats what were went well weeks week was while warrant wants wanted want waiting wait vs virtue where who thing worth youll yet yearly year yall ya wouldn would workable why work wont won without with willing will wife value vaccine ut tired try tried tracking town tooo too told today tipped using times time tightening tight throughout through think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise ripped right nice of notified nothing not nonsense nonesence non no next offer news newest new never needed need must multiple off offered overpriced opening out our other original or options option opportunity opened offset ontario only oneday one once on ok often much moving moved lost manservices making makes make made luck loyalty lower losing move loose looking longer long lol locations location ll many market married may more months monthly month monetary moment mistake mind might merge memberships membership members member medical means maybe outside own ridiculous rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce owner respect return
 98%|█████████▊| 47/48 [3:22:06<06:50, 410.04s/it]
Topic 47 | Coherence=-222974.07 | Top words= the price and too you keep it prices for sharing greedy terrible charges much pricing addition increasing your is going service of has cost up now quality increase hike keeps way cant stopping so every increased increases days jacking down went becoming like rising quickly gone risen spending reflect annually good worth tooo vs given blindly added far ya subscription living pay thanks finally leave fix financially financial first fixed flat focused food learning forth forcing games girl last gf getting get gas garbage future layoff fuel later from frequent free few forever fiance iny feet entertainment expected everything even euro especially life entertaining expensive enough end emails email elsewhere else expenses extortion left fan fees legacy less feel fee fault family letting fair fact lesser face extra let give lack go joint husband hungry huge how itself households household house hosehold horrible holder history job join hiking idea if ill isn into interested instead inflation increments increasses isnt im issue issues its income in improvements hikes higher goes high hackednot hacked guys kept greed great kidding grandkids gouging kids gotten got gonna intolerable laid hacking had half havent her help health he just having have hand justify eliminating hardly keeping hard happy youre doesnt el before biannually bf between better benefits benefit being begin been biden because became be barely bank back awhile away biased biggest card buggin cancelling canceling cancel can bye by but business budget bill broke break boyfriend both bit bills billings billing automatically aunt at additional agree againlater again after afford adicional addtional addresses adding as activities acct accounts account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another an amounts amount amercian am also already almost cannot care edge daughter didnt deteriorated delivering declined decisions death deal day date different damn dad cutting cut customers customer currently current differences direction cared double easily earlier each duplicate due drive drastically drain dont disappointed done don limited do divorce disgusts disgusting discontinue currency creep credit charging college climbing climb city choose choice checking cheaper charged covid charge changing changes changed change cell caused caring combine combining come coming courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company limit loyal limiting spouses stepdad stealing stay states starting started start squeeze spouse stopped spend span sorry soon son something someone some stop stranger resume take that thank than temporary temporarily taste talk taking system stupid switching support summer success subscriptions subscribers subscriber sub situation single since run see secure second scaling scales saving save same rules significant rule rotating rise ripped right ridiculous return retiring seems seen selection sense signaling sign sight sick shoves shouldn should short she share shady several settled set servicio services series thats their there waste when whats what were well weeks week we was ut warrant wants wanted want waiting wait virtue value where while who why youll yet years yearly year yall wouldn would workable work wont won without with willing will wife vaccine using these time tracking town told today to tired tipped times tightening uses tight throughout through this think things thing they tried try trying twice users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two retired resubscribe little new nonsense nonesence non no nice next news newest never nothing needed need my must multiple moving moved move not notified restriction only original or options option opportunity opening opened ontario oneday off one once on ok often offset offered offer more months monthly losing making makes make made luck loyalty lower lost loose month looking longer long lol locations location ll live manservices many market married money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may other others our raise reactivate re rather rates rate raising raises raised putting prefer put pushed provider profits profit profiles problem president reality really reason recent
Average topic coherence for the top words is -219314.7960202767
  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:09,  5.10it/s]
  4%|▍         | 2/50 [00:00<00:09,  5.13it/s]
  6%|▌         | 3/50 [00:00<00:09,  5.14it/s]
  8%|▊         | 4/50 [00:00<00:08,  5.12it/s]
 10%|█         | 5/50 [00:00<00:08,  5.11it/s]
 12%|█▏        | 6/50 [00:01<00:08,  5.11it/s]
 14%|█▍        | 7/50 [00:01<00:08,  5.10it/s]
 16%|█▌        | 8/50 [00:01<00:08,  5.13it/s]
 18%|█▊        | 9/50 [00:01<00:08,  5.12it/s]
 20%|██        | 10/50 [00:01<00:07,  5.11it/s]
 22%|██▏       | 11/50 [00:02<00:07,  5.11it/s]
 24%|██▍       | 12/50 [00:02<00:07,  5.11it/s]
 26%|██▌       | 13/50 [00:02<00:07,  5.13it/s]
 28%|██▊       | 14/50 [00:02<00:07,  5.12it/s]
 30%|███       | 15/50 [00:02<00:06,  5.11it/s]
 32%|███▏      | 16/50 [00:03<00:06,  5.06it/s]
 34%|███▍      | 17/50 [00:03<00:06,  5.06it/s]
 36%|███▌      | 18/50 [00:03<00:06,  5.07it/s]
 38%|███▊      | 19/50 [00:03<00:06,  5.07it/s]
 40%|████      | 20/50 [00:03<00:05,  5.08it/s]
 42%|████▏     | 21/50 [00:04<00:05,  5.09it/s]
 44%|████▍     | 22/50 [00:04<00:05,  5.08it/s]
 46%|████▌     | 23/50 [00:04<00:05,  5.11it/s]
 48%|████▊     | 24/50 [00:04<00:05,  5.10it/s]
 50%|█████     | 25/50 [00:04<00:04,  5.11it/s]
 52%|█████▏    | 26/50 [00:05<00:04,  5.14it/s]
 54%|█████▍    | 27/50 [00:05<00:04,  5.12it/s]
 56%|█████▌    | 28/50 [00:05<00:04,  5.11it/s]
 58%|█████▊    | 29/50 [00:05<00:04,  5.10it/s]
 60%|██████    | 30/50 [00:05<00:03,  5.10it/s]
 62%|██████▏   | 31/50 [00:06<00:03,  5.13it/s]
 64%|██████▍   | 32/50 [00:06<00:03,  5.12it/s]
 66%|██████▌   | 33/50 [00:06<00:03,  5.11it/s]
 68%|██████▊   | 34/50 [00:06<00:03,  5.10it/s]
 70%|███████   | 35/50 [00:06<00:02,  5.10it/s]
 72%|███████▏  | 36/50 [00:07<00:02,  5.10it/s]
 74%|███████▍  | 37/50 [00:07<00:02,  5.08it/s]
 76%|███████▌  | 38/50 [00:07<00:02,  5.07it/s]
 78%|███████▊  | 39/50 [00:07<00:02,  5.11it/s]
 80%|████████  | 40/50 [00:07<00:01,  5.10it/s]
 82%|████████▏ | 41/50 [00:08<00:01,  5.10it/s]
 84%|████████▍ | 42/50 [00:08<00:01,  5.09it/s]
 86%|████████▌ | 43/50 [00:08<00:01,  5.11it/s]
 88%|████████▊ | 44/50 [00:08<00:01,  5.09it/s]
 90%|█████████ | 45/50 [00:08<00:00,  5.09it/s]
 92%|█████████▏| 46/50 [00:09<00:00,  5.09it/s]
 94%|█████████▍| 47/50 [00:09<00:00,  5.10it/s]
 96%|█████████▌| 48/50 [00:09<00:00,  5.05it/s]
 98%|█████████▊| 49/50 [00:09<00:00,  5.06it/s]
100%|██████████| 50/50 [00:09<00:00,  5.10it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:07,  6.45it/s]
  4%|▍         | 2/50 [00:00<00:07,  6.26it/s]
  6%|▌         | 3/50 [00:00<00:07,  6.27it/s]
  8%|▊         | 4/50 [00:00<00:07,  6.26it/s]
 10%|█         | 5/50 [00:00<00:07,  6.27it/s]
 12%|█▏        | 6/50 [00:00<00:07,  6.25it/s]
 14%|█▍        | 7/50 [00:01<00:06,  6.22it/s]
 16%|█▌        | 8/50 [00:01<00:06,  6.23it/s]
 18%|█▊        | 9/50 [00:01<00:06,  6.25it/s]
 20%|██        | 10/50 [00:01<00:06,  6.26it/s]
 22%|██▏       | 11/50 [00:01<00:06,  6.27it/s]
 24%|██▍       | 12/50 [00:01<00:06,  6.26it/s]
 26%|██▌       | 13/50 [00:02<00:05,  6.26it/s]
 28%|██▊       | 14/50 [00:02<00:05,  6.26it/s]
 30%|███       | 15/50 [00:02<00:05,  6.25it/s]
 32%|███▏      | 16/50 [00:02<00:05,  6.26it/s]
 34%|███▍      | 17/50 [00:02<00:05,  6.25it/s]
 36%|███▌      | 18/50 [00:02<00:05,  6.25it/s]
 38%|███▊      | 19/50 [00:03<00:04,  6.24it/s]
 40%|████      | 20/50 [00:03<00:04,  6.25it/s]
 42%|████▏     | 21/50 [00:03<00:04,  6.28it/s]
 44%|████▍     | 22/50 [00:03<00:04,  6.26it/s]
 46%|████▌     | 23/50 [00:03<00:04,  6.22it/s]
 48%|████▊     | 24/50 [00:03<00:04,  6.21it/s]
 50%|█████     | 25/50 [00:04<00:04,  6.22it/s]
 52%|█████▏    | 26/50 [00:04<00:03,  6.23it/s]
 54%|█████▍    | 27/50 [00:04<00:03,  6.23it/s]
 56%|█████▌    | 28/50 [00:04<00:03,  6.25it/s]
 58%|█████▊    | 29/50 [00:04<00:03,  6.24it/s]
 60%|██████    | 30/50 [00:04<00:03,  6.20it/s]
 62%|██████▏   | 31/50 [00:04<00:03,  6.21it/s]
 64%|██████▍   | 32/50 [00:05<00:02,  6.22it/s]
 66%|██████▌   | 33/50 [00:05<00:02,  6.24it/s]
 68%|██████▊   | 34/50 [00:05<00:02,  6.24it/s]
 70%|███████   | 35/50 [00:05<00:02,  6.25it/s]
 72%|███████▏  | 36/50 [00:05<00:02,  6.26it/s]
 74%|███████▍  | 37/50 [00:05<00:02,  6.26it/s]
 76%|███████▌  | 38/50 [00:06<00:01,  6.29it/s]
 78%|███████▊  | 39/50 [00:06<00:01,  6.29it/s]
 80%|████████  | 40/50 [00:06<00:01,  6.29it/s]
 82%|████████▏ | 41/50 [00:06<00:01,  6.27it/s]
 84%|████████▍ | 42/50 [00:06<00:01,  6.26it/s]
 86%|████████▌ | 43/50 [00:06<00:01,  6.25it/s]
 88%|████████▊ | 44/50 [00:07<00:00,  6.25it/s]
 90%|█████████ | 45/50 [00:07<00:00,  6.25it/s]
 92%|█████████▏| 46/50 [00:07<00:00,  6.25it/s]
 94%|█████████▍| 47/50 [00:07<00:00,  6.27it/s]
 96%|█████████▌| 48/50 [00:07<00:00,  6.25it/s]
 98%|█████████▊| 49/50 [00:07<00:00,  6.25it/s]
100%|██████████| 50/50 [00:08<00:00,  6.25it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:14,  3.42it/s]
  4%|▍         | 2/50 [00:00<00:14,  3.40it/s]
  6%|▌         | 3/50 [00:00<00:13,  3.37it/s]
  8%|▊         | 4/50 [00:01<00:13,  3.38it/s]
 10%|█         | 5/50 [00:01<00:13,  3.39it/s]
 12%|█▏        | 6/50 [00:01<00:13,  3.38it/s]
 14%|█▍        | 7/50 [00:02<00:12,  3.38it/s]
 16%|█▌        | 8/50 [00:02<00:12,  3.38it/s]
 18%|█▊        | 9/50 [00:02<00:12,  3.38it/s]
 20%|██        | 10/50 [00:02<00:11,  3.38it/s]
 22%|██▏       | 11/50 [00:03<00:11,  3.39it/s]
 24%|██▍       | 12/50 [00:03<00:11,  3.40it/s]
 26%|██▌       | 13/50 [00:03<00:10,  3.41it/s]
 28%|██▊       | 14/50 [00:04<00:10,  3.42it/s]
 30%|███       | 15/50 [00:04<00:10,  3.42it/s]
 32%|███▏      | 16/50 [00:04<00:09,  3.41it/s]
 34%|███▍      | 17/50 [00:05<00:09,  3.40it/s]
 36%|███▌      | 18/50 [00:05<00:09,  3.40it/s]
 38%|███▊      | 19/50 [00:05<00:09,  3.40it/s]
 40%|████      | 20/50 [00:05<00:08,  3.40it/s]
 42%|████▏     | 21/50 [00:06<00:08,  3.40it/s]
 44%|████▍     | 22/50 [00:06<00:08,  3.40it/s]
 46%|████▌     | 23/50 [00:06<00:07,  3.40it/s]
 48%|████▊     | 24/50 [00:07<00:07,  3.39it/s]
 50%|█████     | 25/50 [00:07<00:07,  3.38it/s]
 52%|█████▏    | 26/50 [00:07<00:07,  3.38it/s]
 54%|█████▍    | 27/50 [00:07<00:06,  3.39it/s]
 56%|█████▌    | 28/50 [00:08<00:06,  3.39it/s]
 58%|█████▊    | 29/50 [00:08<00:06,  3.39it/s]
 60%|██████    | 30/50 [00:08<00:05,  3.39it/s]
 62%|██████▏   | 31/50 [00:09<00:05,  3.40it/s]
 64%|██████▍   | 32/50 [00:09<00:05,  3.40it/s]
 66%|██████▌   | 33/50 [00:09<00:04,  3.40it/s]
 68%|██████▊   | 34/50 [00:10<00:04,  3.40it/s]
 70%|███████   | 35/50 [00:10<00:04,  3.41it/s]
 72%|███████▏  | 36/50 [00:10<00:04,  3.42it/s]
 74%|███████▍  | 37/50 [00:10<00:03,  3.41it/s]
 76%|███████▌  | 38/50 [00:11<00:03,  3.39it/s]
 78%|███████▊  | 39/50 [00:11<00:03,  3.40it/s]
 80%|████████  | 40/50 [00:11<00:02,  3.40it/s]
 82%|████████▏ | 41/50 [00:12<00:02,  3.40it/s]
 84%|████████▍ | 42/50 [00:12<00:02,  3.39it/s]
 86%|████████▌ | 43/50 [00:12<00:02,  3.39it/s]
 88%|████████▊ | 44/50 [00:12<00:01,  3.38it/s]
 90%|█████████ | 45/50 [00:13<00:01,  3.38it/s]
 92%|█████████▏| 46/50 [00:13<00:01,  3.39it/s]
 94%|█████████▍| 47/50 [00:13<00:00,  3.38it/s]
 96%|█████████▌| 48/50 [00:14<00:00,  3.39it/s]
 98%|█████████▊| 49/50 [00:14<00:00,  3.39it/s]
100%|██████████| 50/50 [00:14<00:00,  3.40it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:18,  2.60it/s]
  4%|▍         | 2/50 [00:00<00:18,  2.58it/s]
  6%|▌         | 3/50 [00:01<00:18,  2.59it/s]
  8%|▊         | 4/50 [00:01<00:17,  2.58it/s]
 10%|█         | 5/50 [00:01<00:17,  2.58it/s]
 12%|█▏        | 6/50 [00:02<00:17,  2.58it/s]
 14%|█▍        | 7/50 [00:02<00:16,  2.57it/s]
 16%|█▌        | 8/50 [00:03<00:16,  2.57it/s]
 18%|█▊        | 9/50 [00:03<00:15,  2.58it/s]
 20%|██        | 10/50 [00:03<00:15,  2.57it/s]
 22%|██▏       | 11/50 [00:04<00:15,  2.58it/s]
 24%|██▍       | 12/50 [00:04<00:14,  2.58it/s]
 26%|██▌       | 13/50 [00:05<00:14,  2.59it/s]
 28%|██▊       | 14/50 [00:05<00:13,  2.59it/s]
 30%|███       | 15/50 [00:05<00:13,  2.59it/s]
 32%|███▏      | 16/50 [00:06<00:13,  2.59it/s]
 34%|███▍      | 17/50 [00:06<00:12,  2.58it/s]
 36%|███▌      | 18/50 [00:06<00:12,  2.58it/s]
 38%|███▊      | 19/50 [00:07<00:11,  2.58it/s]
 40%|████      | 20/50 [00:07<00:11,  2.59it/s]
 42%|████▏     | 21/50 [00:08<00:11,  2.58it/s]
 44%|████▍     | 22/50 [00:08<00:10,  2.58it/s]
 46%|████▌     | 23/50 [00:08<00:10,  2.59it/s]
 48%|████▊     | 24/50 [00:09<00:10,  2.58it/s]
 50%|█████     | 25/50 [00:09<00:09,  2.59it/s]
 52%|█████▏    | 26/50 [00:10<00:09,  2.59it/s]
 54%|█████▍    | 27/50 [00:10<00:08,  2.60it/s]
 56%|█████▌    | 28/50 [00:10<00:08,  2.59it/s]
 58%|█████▊    | 29/50 [00:11<00:08,  2.59it/s]
 60%|██████    | 30/50 [00:11<00:07,  2.58it/s]
 62%|██████▏   | 31/50 [00:12<00:07,  2.58it/s]
 64%|██████▍   | 32/50 [00:12<00:06,  2.58it/s]
 66%|██████▌   | 33/50 [00:12<00:06,  2.59it/s]
 68%|██████▊   | 34/50 [00:13<00:06,  2.58it/s]
 70%|███████   | 35/50 [00:13<00:05,  2.58it/s]
 72%|███████▏  | 36/50 [00:13<00:05,  2.58it/s]
 74%|███████▍  | 37/50 [00:14<00:05,  2.58it/s]
 76%|███████▌  | 38/50 [00:14<00:04,  2.58it/s]
 78%|███████▊  | 39/50 [00:15<00:04,  2.58it/s]
 80%|████████  | 40/50 [00:15<00:03,  2.58it/s]
 82%|████████▏ | 41/50 [00:15<00:03,  2.58it/s]
 84%|████████▍ | 42/50 [00:16<00:03,  2.58it/s]
 86%|████████▌ | 43/50 [00:16<00:02,  2.58it/s]
 88%|████████▊ | 44/50 [00:17<00:02,  2.58it/s]
 90%|█████████ | 45/50 [00:17<00:01,  2.58it/s]
 92%|█████████▏| 46/50 [00:17<00:01,  2.58it/s]
 94%|█████████▍| 47/50 [00:18<00:01,  2.58it/s]
 96%|█████████▌| 48/50 [00:18<00:00,  2.57it/s]
 98%|█████████▊| 49/50 [00:18<00:00,  2.57it/s]
100%|██████████| 50/50 [00:19<00:00,  2.58it/s]

  0%|          | 0/50 [00:00<?, ?it/s]
  2%|▏         | 1/50 [00:00<00:28,  1.73it/s]
  4%|▍         | 2/50 [00:01<00:27,  1.72it/s]
  6%|▌         | 3/50 [00:01<00:27,  1.73it/s]
  8%|▊         | 4/50 [00:02<00:26,  1.73it/s]
 10%|█         | 5/50 [00:02<00:26,  1.72it/s]
 12%|█▏        | 6/50 [00:03<00:25,  1.73it/s]
 14%|█▍        | 7/50 [00:04<00:24,  1.72it/s]
 16%|█▌        | 8/50 [00:04<00:24,  1.72it/s]
 18%|█▊        | 9/50 [00:05<00:23,  1.72it/s]
 20%|██        | 10/50 [00:05<00:23,  1.72it/s]
 22%|██▏       | 11/50 [00:06<00:22,  1.72it/s]
 24%|██▍       | 12/50 [00:06<00:22,  1.72it/s]
 26%|██▌       | 13/50 [00:07<00:21,  1.72it/s]
 28%|██▊       | 14/50 [00:08<00:20,  1.72it/s]
 30%|███       | 15/50 [00:08<00:20,  1.72it/s]
 32%|███▏      | 16/50 [00:09<00:19,  1.71it/s]
 34%|███▍      | 17/50 [00:09<00:19,  1.71it/s]
 36%|███▌      | 18/50 [00:10<00:18,  1.71it/s]
 38%|███▊      | 19/50 [00:11<00:18,  1.71it/s]
 40%|████      | 20/50 [00:11<00:17,  1.71it/s]
 42%|████▏     | 21/50 [00:12<00:16,  1.71it/s]
 44%|████▍     | 22/50 [00:12<00:16,  1.72it/s]
 46%|████▌     | 23/50 [00:13<00:15,  1.71it/s]
 48%|████▊     | 24/50 [00:13<00:15,  1.71it/s]
 50%|█████     | 25/50 [00:14<00:14,  1.71it/s]
 52%|█████▏    | 26/50 [00:15<00:14,  1.71it/s]
 54%|█████▍    | 27/50 [00:15<00:13,  1.71it/s]
 56%|█████▌    | 28/50 [00:16<00:12,  1.72it/s]
 58%|█████▊    | 29/50 [00:16<00:12,  1.72it/s]
 60%|██████    | 30/50 [00:17<00:11,  1.73it/s]
 62%|██████▏   | 31/50 [00:18<00:11,  1.72it/s]
 64%|██████▍   | 32/50 [00:18<00:10,  1.72it/s]
 66%|██████▌   | 33/50 [00:19<00:09,  1.72it/s]
 68%|██████▊   | 34/50 [00:19<00:09,  1.72it/s]
 70%|███████   | 35/50 [00:20<00:08,  1.71it/s]
 72%|███████▏  | 36/50 [00:20<00:08,  1.71it/s]
 74%|███████▍  | 37/50 [00:21<00:07,  1.71it/s]
 76%|███████▌  | 38/50 [00:22<00:06,  1.72it/s]
 78%|███████▊  | 39/50 [00:22<00:06,  1.72it/s]
 80%|████████  | 40/50 [00:23<00:05,  1.72it/s]
 82%|████████▏ | 41/50 [00:23<00:05,  1.72it/s]
 84%|████████▍ | 42/50 [00:24<00:04,  1.72it/s]
 86%|████████▌ | 43/50 [00:25<00:04,  1.72it/s]
 88%|████████▊ | 44/50 [00:25<00:03,  1.72it/s]
 90%|█████████ | 45/50 [00:26<00:02,  1.72it/s]
 92%|█████████▏| 46/50 [00:26<00:02,  1.73it/s]
 94%|█████████▍| 47/50 [00:27<00:01,  1.73it/s]
 96%|█████████▌| 48/50 [00:27<00:01,  1.73it/s]
 98%|█████████▊| 49/50 [00:28<00:00,  1.72it/s]
100%|██████████| 50/50 [00:29<00:00,  1.72it/s]

100%|██████████| 50/50 [00:00<00:00, 1388.91it/s]
Topic 0 | Coherence=-223870.87 | Top words= don to the you money using subscription bill of news want my increase job losing due idea month like paying have this states too about another spend charge hard hacked new even in justify get location ontario moving fix can time has kids from power into so additional feet apps girl gonna great grandkids greed gouging gotten got good games guys garbage gone going gas greedy goes go future given getting gf give youre fuel everything fair fact face extra extortion expensive expenses expected every fan euro especially entertainment entertaining enough end emails email family far frequent fixed free forth forever forcing for food hackednot flat first fault financially financial finally fiance few fees feel fee focused higher hacking itself keeps keeping keep just joint join jacking its kidding it issues issue isnt isn is iny kept lack interested lesser little limiting limited limit life letting let less laid legacy left leave learning layoff later last intolerable instead had help history hiking hikes hike else high her health horrible he having havent hardly happy hand half holder hosehold inflation im increments increasses increasing increases increased income improvements ill house if husband hungry huge how households household elsewhere drain eliminating el biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile biden biggest billing business cant cannot cancelling canceling cancel bye by but buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addition agree againlater again after afford adicional addtional addresses adding all added activities acct accounts account access acceptance absurd alarming allow at annually as aren are aparently anyways anymore any anticonsumer and allowed an amounts amount amercian am also already almost card care cared day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction currency down edge easily earlier each duplicate drive drastically living double disappointed dont done doesnt do divorce disgusts disgusting discontinue current creep caring cheaper combine college climbing climb city choose choice checking charging come charges charged changing changes changed change cell caused combining coming credit continually covid courtesy country costs cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared live loyal ll started stranger stopping stopped stop stepdad stealing stay starting start sub squeeze spouses spouse spending span sorry soon son stupid subscriber someone taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions something some ripped scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set their there these week where when whats what were went well weeks we who way waste was warrant wants wanted waiting wait while why they would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will vs virtue value tired trying try tried tracking town tooo told today tipped vaccine times tightening tight throughout through think things thing twice two unable under ut uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand rise right locations nothing ok often offset offered offer off now notified not once nonsense nonesence non no nice next newest never on one need others owning owner own overpriced over outside out our other oneday original or options option opportunity opening opened only needed must ridiculous luck married market many manservices making makes make made loyalty maybe your lower lost loose looking longer long lol may me multiple mom much moved move more months monthly monetary moment mistake means mind might merge memberships membership members member medical pagos parent parents rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce passed respect return
Topic 1 | Coherence=-211629.14 | Top words= back be will when break my on time got business taking for are well resubscribe decisions making sense doesnt laid at make can off dont you guys another ill that it platform own payday subscription get getting awhile next else spending repurposing feet something using im divorce and cutting might monetary ll rotating provider broke instead through soon come phone week layoff summer her gas entertainment garbage entertaining go enough gf end girl give given goes going gone gonna good gotten gouging games extra future fuel every fiance everything few expected fees feel fee fault far fan family expenses fair expensive fact face finally financial even especially from frequent free forth forever forcing extortion food financially focused euro flat fixed fix first great grandkids he greed just join job jacking itself its issues issue isnt isn is iny intolerable into interested inflation increments increasses joint justify greedy keep life letting let lesser less legacy left leave learning later last lack kids kidding kept keeps keeping increasing increases increased increase high help health email having havent have has hardly hard happy hand half had hacking hackednot hacked higher hike hikes huge income in improvements if idea husband hungry how hiking households household house hosehold horrible holder history emails youre elsewhere being biden biased biannually bf between better benefits benefit begin aunt before been becoming because became barely bank away biggest bill billing billings care card cant cannot cancelling canceling cancel bye by but buggin budget boyfriend both blindly bit bills automatically as eliminating adding again after afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways anymore any anticonsumer annually an amounts amount amercian am also already almost allowed allow cared caring caused days different differences didnt deteriorated delivering declined death deal day cell daughter date damn dad cut customers customer currently direction disappointed discontinue disgusting el edge easily earlier each duplicate due drive drastically drain down double limit done don do disgusts current currency creep coming combine college climbing climb city choose choice checking cheaper charging charges charged charge changing changes changed change combining company credit compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive like loyal limited start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spend span sorry son someone some stopping stupid return taste the thats thanks thank than terrible temporary temporarily talk sub take system switching support success subscriptions subscribers subscriber so situation single save seen seems see secure second scaling scales saving same since run rules rule rising risen rise ripped right selection series service services significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio their there these waste where whats what were went weeks we way was vaccine warrant wants wanted want waiting wait vs virtue while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut they tired tried tracking town tooo too told today to tipped uses times tightening tight throughout this think things thing try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring limiting news notified nothing not nonsense nonesence non no nice newest of new never needed need must multiple much moving now offer retired opening our others other original or options option opportunity opened offered ontario only oneday one once ok often offset moved move more loose makes made luck loyalty your lower lost losing looking months longer long lol locations location living live little manservices many market married monthly month money moment mom mistake mind merge memberships membership members member medical means me maybe may out outside over raises really reality reactivate re rather rates rate raising raised problem raise quickly quality putting put pushed profits profit reason recent recently recession
Topic 2 | Coherence=-222895.81 | Top words= you extra of charging share because greedy to your many subscriptions also few fan over years not the way hikes past money my me with out cant stay grandkids without hike being lol sick ripped off damn made kidding almost currency drain fees goes even every good gonna gone going go euro given give girl gf getting everything got gotten feet emails elsewhere email hacking hackednot hacked guys end especially enough greed great entertaining entertainment gouging get expected expenses fix family had flat fixed far fault first gas financially financial finally fee fiance feel food for forcing fair fact forever face forth extortion free frequent from fuel future expensive games garbage focused health half itself keeping keep justify just joint join job jacking its hand it issues issue isnt isn is iny intolerable keeps kept kids lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid into interested instead house horrible holder history hiking higher high her help eliminating he having havent have has hardly hard happy hosehold household inflation households increments increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how else youre el edge biased biannually bf between better benefits benefit begin before been becoming became be barely bank back awhile away automatically biden biggest bill buggin cancelling canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings aunt at as adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another and all an amounts amount amercian am already allowed allow cannot card care days differences didnt deteriorated delivering declined decisions death deal day direction daughter date dad cutting cut customers customer currently different disappointed creep down easily earlier each duplicate due drive drastically live double discontinue dont done don doesnt do divorce disgusts disgusting current credit cared charges college climbing climb city choose choice checking cheaper charged combining charge changing changes changed change cell caused caring combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company little loyal living starting stupid stranger stopping stopped stop stepdad stealing states started subscriber start squeeze spouses spouse spending spend span sorry sub subscribers son temporarily their thats that thanks thank than terrible temporary taste subscription talk taking take system switching support summer success soon something rise scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio someone sight some so situation single since significant signaling sign shoves set shouldn should short she sharing shady several settled there these they was what were went well weeks week we waste warrant when wants wanted want waiting wait vs virtue value whats where thing worth youll yet yearly year yall ya wouldn would workable while work wont won willing will wife why who vaccine ut using tipped tried tracking town tooo too told today tired times uses time tightening tight throughout through this think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable risen right ll nonsense ok often offset offered offer now notified nothing nonesence once non no nice next news newest new never on one need other pagos owning owner own overpriced outside our others original oneday or options option opportunity opening opened ontario only needed must ridiculous loyalty may married market manservices making makes make luck lower means lost losing loose looking longer long locations location maybe medical multiple monetary much moving moved move more months monthly month moment member mom mistake mind might merge memberships membership members parent parents passed rather recession recently recent reason really reality reactivate re rates redo rate raising raises raised raise quickly quality putting rectifying reduce pay respect return
Topic 3 | Coherence=-224509.55 | Top words= price and people increase my how your subscription their tracking out they of this raising access budget spending using happy not now was with anymore charges services scaling temporarily down even dont holder want death terrible more interested past ridiculous garbage gas fuel getting future games get youre gf girl greed great grandkids gouging gotten got good gonna gone going goes go frequent given give from fixed free family fact face extra extortion expensive expenses expected everything every euro especially entertainment entertaining enough end emails email elsewhere else fair fan forth far forever forcing for food focused flat guys fix first financially financial finally fiance few feet fees feel fee fault greedy have hacked itself keeping keep justify just joint join job jacking its kept it issues issue isnt isn is iny intolerable keeps kidding hackednot less limiting limited limit like life letting let lesser legacy kids left leave learning layoff later last laid lack into instead inflation having hikes hike higher high her help health he havent increments el has hardly hard hand half had hacking hiking history horrible hosehold increasses increasing increases increased income in improvements im ill if idea husband hungry huge households household house eliminating double edge been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden aunt broke canceling cancel can bye by but business buggin break biggest boyfriend both blindly bit bills billings billing bill automatically at cannot addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account acceptance absurd about agree all as annually aren are apps aparently anyways any anticonsumer another an allow amounts amount amercian am also already almost allowed cancelling cant easily damn delivering declined decisions deal days day daughter date dad didnt cutting cut customers customer currently current currency creep deteriorated differences covid done earlier each duplicate due drive drastically drain live don different doesnt do divorce disgusts disgusting discontinue disappointed direction credit courtesy card charge climb city choose choice checking cheaper charging charged changing college changes changed change cell caused caring cared care climbing combine country constant costs cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come little loyal living start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spend span sorry soon son something stopping stupid some taking thats that thanks thank than temporary taste talk take sub system switching support summer success subscriptions subscribers subscriber someone so ll save selection seen seems see secure second scales saving same series run rules rule rotating rising risen rise ripped sense service situation shouldn single since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set the there these week where when whats what were went well weeks we who way waste warrant wants wanted waiting wait vs while why thing wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will virtue value vaccine tired try tried town tooo too told today to tipped ut times time tightening tight throughout through think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under right return retiring next off notified nothing nonsense nonesence non no nice news offered newest new never needed need must multiple much offer offset overpriced opportunity outside our others other original or options option opening often opened ontario only oneday one once on ok moving moved move lower many manservices making makes make made luck loyalty lost months losing loose looking longer long lol locations location market married may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me over own retired raises reason really reality reactivate re rather rates rate raised recently raise quickly quality putting put pushed provider profits recent recession owner repurposing resume
Topic 4 | Coherence=-225489.63 | Top words= and too new raised many prices just the you fees money not worth expensive charges rules your anymore added price gotten times more dont have adding raising it raise thanks really on but choice getting monthly continue want no keep forcing high shoves given pay life especially keeping make eliminating face bills system squeeze workable constantly yet iny nothing prescription pop ll rates rising amount already fault gf even gas everything get expected every fan girl give euro garbage go goes going gone gonna good entertainment got gouging entertaining expenses extortion games future fee feel family feet few fiance fair finally great financial financially first fix fixed flat focused fact food for forever forth free extra far frequent from fuel grandkids he greed join jacking itself its issues issue isnt isn is intolerable into interested instead inflation increments increasses increasing increases job joint greedy justify letting let lesser less legacy left leave learning layoff later last laid lack kids kidding kept keeps increased increase income in her help health end having havent has hardly hard happy hand half had hacking hackednot hacked guys higher hike hikes huge improvements im ill if idea husband hungry how hiking households household house hosehold horrible holder history enough youre emails being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing awhile by card cant cannot cancelling canceling cancel can bye business billings buggin budget broke break boyfriend both blindly bit back away cared additional agree againlater again after afford adicional addtional addresses addition all activities acct accounts account access acceptance absurd about alarming allow automatically any aunt at as aren are apps aparently anyways anticonsumer allowed another annually an amounts amercian am also almost care caring email decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter date damn dad cutting discontinue disgusts customers due elsewhere else el edge easily earlier each duplicate drive divorce like drain down double done don doesnt do cut customer caused checking come combining combine college climbing climb city choose cheaper company charging charged charge changing changes changed change cell coming compared currently cost current currency creep credit covid courtesy country costs continuous competitive continues continually continously constant consolidating consider connected compromised drastically loyal limit states stupid stranger stopping stopped stop stepdad stealing stay starting son started start spouses spouse spending spend span sorry sub subscriber subscribers subscription their thats that thank than terrible temporary temporarily taste talk taking take switching support summer success subscriptions soon something these secure services service series sense selection seen seems see second someone scaling scales saving save same run rule rotating servicio set settled several some so situation single since significant signaling sign sight sick shouldn should short she sharing share shady there they rise way whats what were went well weeks week we waste vaccine was warrant wants wanted waiting wait vs virtue when where while who youll years yearly year yall ya wouldn would work wont won without with willing will wife why value ut thing tired try tried tracking town tooo told today to tipped using time tightening tight throughout through this think things trying twice two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under risen ripped limited next off of now notified nonsense nonesence non nice news moved newest never needed need my must multiple much offer offered offset often out our others other original or options option opportunity opening opened ontario only oneday one once ok moving move over looking makes made luck loyalty lower lost losing loose longer months long lol locations location living live little limiting making manservices market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may outside overpriced right re redo rectifying recession recently recent reason reality reactivate rather profit rate raises quickly quality putting put pushed provider reduce reducing reflect rejoin
Topic 5 | Coherence=-222946.54 | Top words= for you people using that now charge was subscription charging extra if cheaper to kept better gonna youre reason im other services only sharing keep prices so want just guys pay from they stop something because cant subscriptions got what declined put it opportunity cost another greedy entertaining getting given get gas gf garbage games girl give expenses go goes going gone enough good entertainment emails gotten gouging grandkids email elsewhere else great end euro future finally few feet fees everything feel fee fault far fan family fair fact face expected extortion fiance financial fuel financially especially frequent expensive free forth forever forcing even food greed flat fixed fix first every focused hardly hacked issues keeping justify joint join job jacking itself its issue kidding isnt isn is iny intolerable into interested instead keeps kids hackednot lesser little limiting limited limit like life letting let less lack legacy left leave learning layoff later last laid inflation increments increasses havent hike higher high her help health he having have increasing has el hard happy hand half had hacking hikes hiking history holder increases increased increase income in improvements ill idea husband hungry huge how households household house hosehold horrible eliminating dont edge becoming bf between benefits benefit being begin before been became biased be barely bank back awhile away automatically aunt biannually biden as broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill at aren easily adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming are an apps aparently anyways anymore any anticonsumer annually and amounts all amount amercian am also already almost allowed allow canceling cancelling cannot daughter didnt deteriorated delivering decisions death deal days day date different damn dad cutting cut customers customer currently current differences direction card double earlier each duplicate due drive drastically drain down living disappointed done don doesnt do divorce disgusts disgusting discontinue currency creep credit charged college climbing climb city choose choice checking charges changing covid changes changed change cell caused caring cared care combine combining come coming courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company live loyal ll start stopping stopped stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub some taste the thats thanks thank than terrible temporary temporarily talk subscriber taking take system switching support summer success subscribers someone situation return same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense single should since significant signaling sign sight sick shoves shouldn short series she share shady several settled set servicio service their there these we where when whats were went well weeks week way who waste warrant wants wanted waiting wait vs virtue while why thing would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will value vaccine ut tipped tried tracking town tooo too told today tired times uses time tightening tight throughout through this think things try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ridiculous retiring location news nothing not nonsense nonesence non no nice next newest of new never needed need my must multiple much notified off moved opened out our others original or options option opening ontario offer oneday one once on ok often offset offered moving move retired your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may more mind months monthly month money monetary moment mom mistake might maybe merge memberships membership members member medical means me outside over overpriced raises really reality reactivate re rather rates rate raising raised recently raise quickly quality putting pushed provider profits profit recent recession own repurposing resume
Topic 6 | Coherence=-215274.13 | Top words= and my to different in subscription two use live subscriptions on be won addresses able both with have anticonsumer change locations upcoming where benefit emails payment same fee double up gf go set married had short don activities opening due must not taste getting get garbage games girl give future gas good given grandkids hacking hackednot hacked guys greedy greed great gouging email gotten got end gonna gone going goes fuel even from feet feel fault entertainment far fan family especially fair fact face extra extortion expensive expenses expected everything every fees few frequent fiance enough free forth forever euro for food focused entertaining half flat fixed fix first financially financial finally forcing her hand job kept keeps keeping keep justify just joint join jacking intolerable itself its it issues issue isnt isn is kidding kids lack laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last iny into happy high hosehold horrible holder history hiking hikes hike higher else interested help health he having havent has hardly hard house household households how instead inflation increments increasses increasing increases increased increase income improvements im ill if idea husband hungry huge elsewhere dont eliminating before biased biannually bf between better benefits being begin been biggest becoming because became barely bank back awhile away biden bill card business cannot cancelling canceling cancel can bye by but buggin billing budget broke break boyfriend blindly bit bills billings automatically aunt at addition agree againlater again after afford adicional addtional additional adding as added acct accounts account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any another annually an amounts amount amercian am also already almost cant care el date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences cared down edge easily earlier each duplicate drive drastically drain ll direction done doesnt do divorce disgusts disgusting discontinue disappointed creep credit covid charging college climbing climb city choose choice checking cheaper charges courtesy charged charge changing changes changed cell caused caring combine combining come coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company living youre location squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger some taking that thanks thank than terrible temporary temporarily talk take stupid system switching support summer success subscribers subscriber sub someone so the save seen seems see secure second scaling scales saving run sense rules rule rotating rising risen rise ripped right selection series situation shouldn single since significant signaling sign sight sick shoves should service she sharing share shady several settled servicio services thats their lol way whats what were went well weeks week we waste while was warrant wants wanted want waiting wait vs when who value wouldn youll you yet years yearly year yall ya would why worth workable work wont without willing will wife virtue vaccine there tightening tooo too told today tired tipped times time tight tracking throughout through this think things thing they these town tried ut unneeded using uses users used us upward upping until unnecessary try unfortunately unfair unemployed understand under unable twice trying ridiculous return retiring nonesence offered offer off of now notified nothing nonsense non often no nice next news newest new never needed offset ok multiple original own overpriced over outside out our others other or once options option opportunity opened ontario only oneday one need much retired luck may market many manservices making makes make made loyalty me your lower lost losing loose looking longer long maybe means moving moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member owner owning pagos raising reason really reality reactivate re rather rates rate raises recently raised raise quickly quality putting put pushed provider recent recession parent repurposing resume
Topic 7 | Coherence=-217061.07 | Top words= and to of the my want be country different waste location changed current currency moved money time household rather raising would learning limiting spend cost moving account only thank single use college death save tired quality both will putting holder fuel frequent from gas future games garbage youre get getting guys greedy greed great grandkids gouging gotten got good gonna gone going goes go given give girl gf flat free everything fair fact face extra extortion expensive expenses expected every fan even euro especially entertainment entertaining enough end emails family far forth first forever forcing for food focused hackednot fixed fix financially fault financial finally fiance few feet fees feel fee hacked he hacking its keep justify just joint join job jacking itself it keeps issues issue isnt isn is iny intolerable into keeping kept had less little limited limit like life letting let lesser legacy kidding left leave layoff later last laid lack kids interested instead inflation elsewhere hiking hikes hike higher high her help health having increments havent have has hardly hard happy hand half history horrible hosehold house increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how households email down else been bf between better benefits benefit being begin before becoming biased because became barely bank back awhile away automatically biannually biden at budget canceling cancel can bye by but business buggin broke biggest break boyfriend blindly bit bills billings billing bill aunt as eliminating addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cancelling cannot cant days direction differences didnt deteriorated delivering declined decisions deal day discontinue daughter date damn dad cutting cut customers customer disappointed disgusting card drastically el edge easily earlier each duplicate due drive drain disgusts living double dont done don doesnt do divorce currently creep credit charged climb city choose choice checking cheaper charging charges charge covid changing changes change cell caused caring cared care climbing combine combining come courtesy costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming live loyal ll started stopping stopped stop stepdad stealing stay states starting start stupid squeeze spouses spouse spending span sorry soon son stranger sub someone taking that thanks than terrible temporary temporarily taste talk take subscriber system switching support summer success subscriptions subscription subscribers something some right scales sense selection seen seems see secure second scaling saving service same run rules rule rotating rising risen rise series services so shouldn situation since significant signaling sign sight sick shoves should servicio short she sharing share shady several settled set thats their there we when whats what were went well weeks week way while was warrant wants wanted waiting wait vs virtue where who these wouldn youll you yet years yearly year yall ya worth why workable work wont won without with willing wife value vaccine ut times tried tracking town tooo too told today tipped tightening using tight throughout through this think things thing they try trying twice two uses users used us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped ridiculous locations nonesence offered offer off now notified nothing not nonsense non often no nice next news newest new never needed offset ok must or overpriced over outside out our others other original options on option opportunity opening opened ontario oneday one once need multiple return loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe much mistake move more months monthly month monetary moment mom mind me might merge memberships membership members member medical means own owner owning rate recently recent reason really reality reactivate re rates raises rectifying raised raise quickly put pushed provider profits profit recession redo pagos residence retiring
Topic 8 | Coherence=-226379.06 | Top words= price the not increase to worth is for enough your are me hikes currently used willing of be out no service cost support was pay longer great something lack options am last afford up selection isnt way hand value just absurd justify offered what from vs time nice much nonesence living wont want isn original lower pls profits choose year budget high shouldn like member people fuel youre future go got good gonna gone going goes given games give gf getting get gas garbage girl financial frequent everything fair fact face extra extortion expensive expenses expected every fan even euro especially entertainment entertaining end emails email family far free first forth forever forcing food focused flat fixed fix financially fault gouging finally fiance few feet fees feel fee gotten help grandkids interested its it issues issue iny intolerable into instead greed inflation increments increasses increasing increases increased income itself jacking job join less legacy left leave learning layoff later laid kids kidding kept keeps keeping keep joint in improvements im else he having havent have has hardly hard happy half had hacking hackednot hacked guys greedy health her ill higher if idea husband hungry huge how households household house hosehold horrible holder history hiking hike elsewhere done eliminating el biden biased biannually bf between better benefits benefit being begin before been becoming because became barely bank back awhile biggest bill billing but cant cannot cancelling canceling cancel can bye by business billings buggin broke break boyfriend both blindly bit bills away automatically aunt addition agree againlater again after adicional addtional addresses additional adding all added activities acct accounts account access acceptance about alarming allow at another as aren apps aparently anyways anymore any anticonsumer annually allowed and an amounts amount amercian also already almost card care cared deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue current drain edge easily earlier each duplicate due drive drastically down disgusting double dont let don doesnt do divorce disgusts customer currency caring charging combine college climbing climb city choice checking cheaper charges come charged charge changing changes changed change cell caused combining coming creep continually credit covid courtesy country costs continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared lesser loyal letting spouses stepdad stealing stay states starting started start squeeze spouse situation spending spend span sorry soon son someone some stop stopped stopping stranger terrible temporary temporarily taste talk taking take system switching summer success subscriptions subscription subscribers subscriber sub stupid so single life run see secure second scaling scales saving save same rules since rule rotating rising risen rise ripped right ridiculous seems seen sense series significant signaling sign sight sick shoves should short she sharing share shady several settled set servicio services than thank thanks warrant whats were went well weeks week we waste wants that wanted waiting wait virtue vaccine ut using uses when where while who youll you yet years yearly yall ya wouldn would workable work won without with will wife why users use us too today tired tipped times tightening tight throughout through this think things thing they these there their thats told tooo upward town upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried tracking return retiring retired never notified nothing nonsense non next news newest new needed overpriced need my must multiple moving moved move more now off offer offset outside our others other or option opportunity opening opened ontario only oneday one once on ok often months monthly month makes made luck loyalty lost losing loose looking long lol locations location ll live little limiting limited limit make making money manservices monetary moment mom mistake mind might merge memberships membership members medical means maybe may married market many over own resume raising reason really reality reactivate re rather rates rate raises owner raised raise quickly quality putting put pushed provider recent recently recession
Topic 9 | Coherence=-212879.30 | Top words= price your hike for and of in the has like member that since gone was deteriorated span drastically selection no just months good newest been its stupid respect members run an legacy again much pop ridiculous became times way family grandkids free forth greedy forever frequent from fuel guys future gonna go games garbage gouging gas get getting gf girl going got goes greed give given great gotten first forcing face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else extra fact food fair focused flat fixed fix hackednot financially financial finally fiance few feet fees feel fee fault far fan hacked he hacking itself keeps keeping keep justify joint join job jacking it had issues issue isnt isn is iny intolerable into kept kidding kids lack live little limiting limited limit life letting let lesser less left leave learning layoff later last laid interested instead inflation horrible history hiking hikes higher high her help health el having havent have hardly hard happy hand half holder hosehold increments house increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how households household eliminating youre edge card biden biased biannually bf between better benefits benefit being begin before becoming because be barely bank back awhile away biggest bill billing business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as another aren are apps aparently anyways anymore any anticonsumer annually allow amounts amount amercian am also already almost allowed cant care easily cared didnt delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current currency differences different direction double earlier each duplicate due drive ll drain down dont disappointed done don doesnt do divorce disgusts disgusting discontinue creep credit covid charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining courtesy constantly country costs cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming living loyal location stay subscriber sub stranger stopping stopped stop stepdad stealing states subscription starting started start squeeze spouses spouse spending spend subscribers subscriptions soon temporary these there their thats thanks thank than terrible temporarily success taste talk taking take system switching support summer sorry son thing second services service series sense seen seems see secure scaling set scales saving save same rules rule rotating rising servicio settled something sight someone some so situation single significant signaling sign sick several shoves shouldn should short she sharing share shady they things locations weeks while where when whats what were went well week why we waste warrant wants wanted want waiting wait who wife virtue wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs value think today trying try tried tracking town tooo too told to two tired tipped time tightening tight throughout through this twice unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand risen rise ripped nothing ok often offset offered offer off now notified not once nonsense nonesence non nice next news new never on one need other owner own overpriced over outside out our others original oneday or options option opportunity opening opened ontario only needed my right luck married market many manservices making makes make made loyalty maybe lower lost losing loose looking longer long lol may me must monetary multiple moving moved move more monthly month money moment means mom mistake mind might merge memberships membership medical owning pagos parent rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo parents residence return
Topic 10 | Coherence=-226339.81 | Top words= and no you with price extra good charge my subscription she longer it uses will not sharing if im an paying support parents continues ut increases worth value more when sign anyways services daughter way better frequent money afford any cannot sight what subscriptions rise end fault family dad shady only another thanks added anymore from got gotten gouging greed grandkids gonna great given going gone fuel future games free garbage gas get goes getting gf go girl give youre forth fan fact face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough emails email elsewhere fair far forever fee forcing for food focused flat fixed fix guys first financially financial finally fiance few feet fees feel greedy he hacked issues justify just joint join job jacking itself its issue hackednot isnt isn is iny intolerable into interested instead keep keeping keeps kept like life letting let lesser less legacy left leave learning layoff later last laid lack kids kidding inflation increments increasses hikes higher high her help health eliminating having havent have has hardly hard happy hand half had hacking hike hiking increasing history increased increase income in improvements ill idea husband hungry huge how households household house hosehold horrible holder else divorce el benefit bill biggest biden biased biannually bf between benefits being back begin before been becoming because became be barely billing billings bills bit card cant cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both blindly bank awhile edge addition agree againlater again after adicional addtional addresses additional adding away activities acct accounts account access acceptance absurd about alarming all allow allowed automatically aunt at as aren are apps aparently anticonsumer annually amounts amount amercian am also already almost care cared caring deal different differences didnt deteriorated delivering declined decisions death days caused day date damn cutting cut customers customer currently direction disappointed discontinue disgusting easily earlier each duplicate due drive drastically drain down double dont done don doesnt do limited disgusts current currency creep come combine college climbing climb city choose choice checking cheaper charging charges charged changing changes changed change cell combining coming credit company covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive compared limit loyal limiting spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something someone some stepdad stopped thats take thank than terrible temporary temporarily taste talk taking system stopping switching summer success subscribers subscriber sub stupid stranger so situation single rotating scaling scales saving save same run rules rule rising since risen ripped right ridiculous return retiring retired resume second secure see seems significant signaling sick shoves shouldn should short share several settled set servicio service series sense selection seen that the little wants went well weeks week we waste was warrant wanted whats want waiting wait vs virtue vaccine using users were where their would youll yet years yearly year yall ya wouldn workable while work wont won without willing wife why who used use us tight told today to tired tipped times time tightening throughout upward through this think things thing they these there too tooo town tracking upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying try tried resubscribe restriction restrict newest notified nothing nonsense nonesence non nice next news new of never needed need must multiple much moving moved now off restart opened others other original or options option opportunity opening ontario offer oneday one once on ok often offset offered move months monthly losing makes make made luck loyalty your lower lost loose month looking long lol locations location ll living live making manservices many market monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may married our out outside quickly re rather rates rate raising raises raised raise quality prices putting put pushed provider profits profit profiles problem reactivate reality really reason
Topic 11 | Coherence=-211844.24 | Top words= for the subscription now my on going as you divorce through wife courtesy canceling left we before hike preemptively rate next charges thank too moving offer thing own come hackednot getting get hacking greed gas gf garbage games half future hand had give girl great given go goes hacked guys gone greedy fuel good got gotten gouging grandkids gonna forth from every fair fact face extra extortion expensive expenses expected everything even frequent euro especially entertainment entertaining enough end emails email elsewhere family fan far fault free hard forever forcing food focused flat fixed fix first financially financial finally fiance few feet fees feel fee happy youre hardly join kidding kept keeps keeping keep justify just joint job lack jacking itself its it issues issue isnt isn kids laid has life ll living live little limiting limited limit like letting last let lesser less legacy leave learning layoff later is iny intolerable higher household house hosehold horrible holder history hiking hikes high into her help eliminating health he having havent have households how huge hungry interested instead inflation increments increasses increasing increases increased increase income in improvements im ill if idea husband else drastically el cannot bf between better benefits benefit being begin been becoming because became be barely bank back awhile away automatically aunt biannually biased biden broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill at aren are adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming apps an aparently anyways anymore any anticonsumer another annually and amounts all amount amercian am also already almost allowed allow cancelling cant edge card didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current differences different direction down easily earlier each duplicate due drive locations drain double disappointed dont done don doesnt do disgusts disgusting discontinue currency creep credit charge climb city choose choice checking cheaper charging charged changing college changes changed change cell caused caring cared care climbing combine covid constantly country costs cost continuous continues continue continually continously constant combining consolidating consider connected compromised competitive compared company coming location loyal lol long stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon son stranger stupid sub talk thats that thanks than terrible temporary temporarily taste taking subscriber take system switching support summer success subscriptions subscribers something someone some scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled their there these way when whats what were went well weeks week waste while was warrant wants wanted want waiting wait vs where who value would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing will virtue vaccine they tired try tried tracking town tooo told today to tipped twice times time tightening tight throughout this think things trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under risen rise ripped nonsense often offset offered off of notified nothing not nonesence once non no nice news newest new never needed ok one must other owning owner overpriced over outside out our others original oneday or options option opportunity opening opened ontario only need multiple parent made may married market many manservices making makes make luck me loyalty your lower lost losing loose looking longer maybe means much moment moved move more months monthly month money monetary mom medical mistake mind might merge memberships membership members member pagos parents right re rectifying recession recently recent reason really reality reactivate rather reduce rates raising raises raised raise quickly quality putting redo reducing pushed restart ridiculous return
Topic 12 | Coherence=-212591.97 | Top words= you keep prices being up enough re that means cared begin understand hiking were if leave wouldn ll us greedy this high only what when about of subscription with my to by was hacked good used upping really opened series notified duplicate mistake popular today amounts huge canceling stranger as gotten getting wants hungry future fuel games from frequent garbage gouging greed gas get gf girl give great given go goes going grandkids gone gonna got youre first free forth fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining end emails email elsewhere else fair family fan financially forever forcing for food focused flat fixed fix financial far finally fiance few feet fees feel fee fault guys help hackednot hacking just joint join job jacking itself its it issues issue isnt isn is iny intolerable into interested justify keeping keeps left like life letting let lesser less legacy learning kept layoff later last laid lack kids kidding instead inflation increments havent hike higher her el health he having have history has hardly hard happy hand half had hikes holder increasses im increasing increases increased increase income in improvements ill horrible idea husband how households household house hosehold eliminating doesnt edge been biased biannually bf between better benefits benefit before becoming biggest because became be barely bank back awhile away biden bill aunt buggin cant cannot cancelling cancel can bye but business budget billing broke break boyfriend both blindly bit bills billings automatically at easily addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all aren annually are apps aparently anyways anymore any anticonsumer another and allow an amount amercian am also already almost allowed card care caring daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different caused dont earlier each due drive drastically drain down double done direction don limited do divorce disgusts disgusting discontinue disappointed currency creep credit cheaper combine college climbing climb city choose choice checking charging covid charges charged charge changing changes changed change cell combining come coming company courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared limit loyal limiting sorry started start squeeze spouses spouse spending spend span soon states son something someone some so situation single since starting stay resume success taste talk taking take system switching support summer subscriptions stealing subscribers subscriber sub stupid stopping stopped stop stepdad significant signaling sign rule second scaling scales saving save same run rules rotating sight rising risen rise ripped right ridiculous return retiring secure see seems seen sick shoves shouldn should short she sharing share shady several settled set servicio services service sense selection temporarily temporary terrible warrant whats went well weeks week we way waste wanted uses want waiting wait vs virtue value vaccine ut where while who why youll yet years yearly year yall ya would worth workable work wont won without willing will wife using users than things tipped times time tightening tight throughout through think thing use they these there their the thats thanks thank tired told too tooo upward upcoming until unneeded unnecessary unfortunately unfair unemployed under unable two twice trying try tried tracking town retired resubscribe little newest not nonsense nonesence non no nice next news new now never needed need must multiple much moving moved nothing off restriction opening our others other original or options option opportunity ontario offer oneday one once on ok often offset offered move more months losing makes make made luck loyalty your lower lost loose monthly looking longer long lol locations location living live making manservices many market month money monetary moment mom mind might merge memberships membership members member medical me maybe may married out outside over quickly reactivate rather rates rate raising raises raised raise quality price putting put pushed provider profits profit profiles problem reality reason recent recently
Topic 13 | Coherence=-219675.79 | Top words= to with and back prices cut news that share high other price lost due entertainment fuel have about rise having these the on costs bill damn paying in gas mind yall extra limiting piracy access want job vaccine trying when medical bills using higher an outside living date greedy greed garbage games future great guys got get getting gf girl given go goes going grandkids from gouging gotten gone gonna good give youre frequent expected fan family fair fact face extortion expensive expenses everything fault every even euro especially entertaining enough end emails far fee free fixed forth forever forcing for food focused hackednot flat fix feel first financially financial finally fiance few feet fees hacked help hacking kidding keeps keeping keep justify just joint join jacking itself its it issues issue isnt isn is iny kept kids into lack little limited limit like life letting let lesser less legacy left leave learning layoff later last laid intolerable interested had house horrible holder history hiking hikes hike her elsewhere health he havent has hardly hard happy hand half hosehold household instead households inflation increments increasses increasing increases increased increase income improvements im ill if idea husband hungry huge how email down else before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank awhile away biased biggest card business cannot cancelling canceling cancel can bye by but buggin billing budget broke break boyfriend both blindly bit billings automatically aunt at additional agree againlater again after afford adicional addtional addresses addition as adding added activities acct accounts account acceptance absurd alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually amounts amount amercian am also already almost cant care eliminating days differences didnt deteriorated delivering declined decisions death deal day direction daughter dad cutting customers customer currently current currency different disappointed cared drain el edge easily earlier each duplicate drive drastically double discontinue dont done don doesnt do divorce disgusts disgusting creep credit covid charges climbing climb city choose choice checking cheaper charging charged courtesy charge changing changes changed change cell caused caring college combine combining come country cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming live loyal ll start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber something some right scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she sharing shady several settled set thanks thats their way whats what were went well weeks week we waste while was warrant wants wanted waiting wait vs virtue where who there would youll you yet years yearly year ya wouldn worth why workable work wont won without willing will wife value ut uses time town tooo too told today tired tipped times tightening users tight throughout through this think things thing they tracking tried try twice used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ripped ridiculous location non off of now notified nothing not nonsense nonesence no offered nice next newest new never needed need my offer offset multiple option overpriced over out our others original or options opportunity often opening opened ontario only oneday one once ok must much return loyalty market many manservices making makes make made luck your may lower losing loose looking longer long lol locations married maybe moving moment moved move more months monthly month money monetary mom me mistake might merge memberships membership members member means own owner owning rates recently recent reason really reality reactivate re rather rate rectifying raising raises raised raise quickly quality putting put recession redo pagos residence retiring
Topic 14 | Coherence=-220278.03 | Top words= you raising will and my prices mom me cancel in that away passed since are take elsewhere subscription constantly membership want different business places restrict the she two on live account services of had owner this continously restriction kidding profits parent owning has week family hungry bye started uses card am amount finally go going everything goes expected expenses extortion expensive given extra give face girl gone gonna fair entertainment emails end great enough entertaining grandkids gouging every especially gotten got euro even good fact fan fiance far financial financially few first feet fix fixed greed focused food for forcing fees feel fee forever forth free frequent from fuel fault future games garbage gas get getting gf flat youre greedy issues just joint join job jacking itself its it issue increments isnt isn is iny intolerable into interested instead justify keep keeping keeps like life letting let lesser less legacy left leave learning layoff later last laid lack kids kept inflation increasses guys havent hike higher high her help health he having have increasing hardly hard happy hand half hacking hackednot hacked hikes hiking history holder increases increased increase income improvements im ill if idea husband huge how households household house hosehold horrible email down else begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill caring buggin care cant cannot cancelling canceling can by but budget billing broke break boyfriend both blindly bit bills billings awhile automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added activities acct accounts access acceptance absurd about agree alarming all allow as aren apps aparently anyways anymore any anticonsumer another annually an amounts amercian also already almost allowed cared caused eliminating deal direction differences didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusting cell drastically el edge easily earlier each duplicate due drive drain disgusts limited double dont done don doesnt do divorce customer currently current checking combining combine college climbing climb city choose choice cheaper currency charging charges charged charge changing changes changed change come coming company compared creep credit covid courtesy country costs cost continuous continues continue continually constant consolidating consider connected compromised competitive limit loyal limiting start stopping stopped stop stepdad stealing stay states starting squeeze stupid spouses spouse spending spend span sorry soon son stranger sub right taste their thats thanks thank than terrible temporary temporarily talk subscriber taking system switching support summer success subscriptions subscribers something someone some saving selection seen seems see secure second scaling scales save so same run rules rule rotating rising risen rise sense series service servicio situation single significant signaling sign sight sick shoves shouldn should short sharing share shady several settled set there these they we where when whats what were went well weeks way value waste was warrant wants wanted waiting wait vs while who why wife youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing virtue vaccine thing tired tried tracking town tooo too told today to tipped ut times time tightening tight throughout through think things try trying twice unable using users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under ripped ridiculous little news nothing not nonsense nonesence non no nice next newest now new never needed need must multiple much moving notified off return opened others other original or options option opportunity opening ontario offer only oneday one once ok often offset offered moved move more losing makes make made luck loyalty your lower lost loose months looking longer long lol locations location ll living making manservices many market monthly month money monetary moment mistake mind might merge memberships members member medical means maybe may married our out outside rate recent reason really reality reactivate re rather rates raises profiles raised raise quickly quality putting put pushed provider recently recession rectifying redo
Topic 15 | Coherence=-217839.08 | Top words= price to for long high benefits nonsense changing keeps this been don the expensive you raised will way too not be has while renewing so with others compared switching quality currently increase becoming family temporarily cancelling later rejoin situation changed financial given reside ridiculous agree far biden prescription inflation phone rising gf going gotten letting got forcing forever forth good free gonna frequent gone goes from getting go fuel future games garbage give gas girl get focused food kids flat euro limit expenses expected limited everything every even especially extra entertainment entertaining enough end emails email elsewhere extortion face fixed few fix first financially grandkids life finally fiance feet fact fees feel fee fault fan fair like gouging hackednot great is intolerable into interested instead increments increasses increasing increases increased income last in improvements im ill if idea iny isn greed isnt kidding kept lack keeping keep justify just joint join laid job jacking itself its it issues issue husband hungry huge how he having lesser havent have else hardly hard happy hand half had hacking let hacked guys greedy health help her hosehold layoff learning leave households household left house horrible less holder history hiking hikes hike legacy higher youre double eliminating because biannually bf between better benefit being begin before became biggest barely bank back awhile away automatically aunt at biased bill card buggin cannot canceling cancel can bye by but business budget billing broke break boyfriend both blindly bit bills billings as aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater alarming all allow aparently anyways anymore any anticonsumer another annually and an amounts amount amercian am also already almost allowed cant care el days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed cared drain edge easily earlier each duplicate due drive drastically down discontinue little dont done doesnt do divorce disgusts disgusting current currency creep cheaper combine college climbing climb city choose choice checking charging credit charges charged charge changes change cell caused caring combining come coming company covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive limiting loyal live start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone taking that thanks thank than terrible temporary taste talk take sub system support summer success subscriptions subscription subscribers subscriber something some living saving selection seen seems see secure second scaling scales save series same run rules rule rotating risen rise ripped sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio thats their there was what were went well weeks week we waste warrant when wants wanted want waiting wait vs virtue value whats where these would youll yet years yearly year yall ya wouldn worth who workable work wont won without willing wife why vaccine ut using times tried tracking town tooo told today tired tipped time uses tightening tight throughout through think things thing they try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable right return retiring new nothing nonesence non no nice next news newest never now needed need my must multiple much moving moved notified of our only original or options option opportunity opening opened ontario oneday off one once on ok often offset offered offer move more months lower manservices making makes make made luck loyalty your lost monthly losing loose looking longer lol locations location ll many market married may month money monetary moment mom mistake mind might merge memberships membership members member medical means me maybe other out retired quickly reactivate re rather rates rate raising raises raise putting really put pushed provider profits profit profiles problem pricing reality reason outside replace resume
Topic 16 | Coherence=-213882.06 | Top words= up price the and keeps it has cost much going am went fixed income just keep cant increasing on too hardly oneday but sorry earlier or increased have since way down with so retired annually non quickly quality risen gone fee climbing summer better membership activities tooo health biggest kidding spend deal work re pay changes games good from goes fuel gf future go gonna gouging girl gas gotten get given got give getting garbage youre frequent everything fair fact face extra extortion expensive expenses expected every fan even euro especially entertainment entertaining enough end emails family far free great forth forever forcing for food focused flat fix first fault financially financial finally fiance few feet fees feel grandkids havent greed kept justify joint join job jacking itself its issues issue isnt isn is iny intolerable into interested instead keeping kids greedy lack limiting limited limit like life letting let lesser less legacy left leave learning layoff later last laid inflation increments increasses increases hike higher high her help he having elsewhere hard happy hand half had hacking hackednot hacked guys hikes hiking history husband increase in improvements im ill if idea hungry holder huge how households household house hosehold horrible email double else been biannually bf between benefits benefit being begin before becoming biden because became be barely bank back awhile away biased bill eliminating buggin cannot cancelling canceling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings automatically aunt at addition againlater again after afford adicional addtional addresses additional adding as added acct accounts account access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any anticonsumer another an amounts amount amercian also already almost allowed card care cared days different differences didnt deteriorated delivering declined decisions death day current daughter date damn dad cutting cut customers customer direction disappointed discontinue disgusting el edge easily each duplicate due drive drastically drain live dont done don doesnt do divorce disgusts currently currency caring cheaper combining combine college climb city choose choice checking charging creep charges charged charge changing changed change cell caused come coming company compared credit covid courtesy country costs continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive little loyal living starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending span soon son stupid subscriber someone taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support success subscriptions subscription something some ll saving selection seen seems see secure second scaling scales save series same run rules rule rotating rising rise ripped sense service situation should single significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio their there these waste when whats what were well weeks week we was while warrant wants wanted want waiting wait vs virtue where who they wouldn youll you yet years yearly year yall ya would why worth workable wont won without willing will wife value vaccine ut times tried tracking town told today to tired tipped time using tightening tight throughout through this think things thing try trying twice two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable right ridiculous return news notified nothing not nonsense nonesence no nice next newest of new never needed need my must multiple moving now off over opening out our others other original options option opportunity opened offer ontario only one once ok often offset offered moved move more lower manservices making makes make made luck loyalty your lost months losing loose looking longer long lol locations location many market married may monthly month money monetary moment mom mistake mind might merge memberships members member medical means me maybe outside overpriced retiring raises reason really reality reactivate rather rates rate raising raised recently raise putting put pushed provider profits profit profiles recent recession own repurposing resume
Topic 17 | Coherence=-218863.05 | Top words= increasing for and prices at no long only is time keep like it rates customer subscriber going alarming feel there loyalty we will family with won pay extra sharing opportunity greedy support re stop need being users every on servicio por el pagos adicional but rising keeps your fault give go given especially girl goes gf getting get euro gas entertainment entertaining games grandkids else elsewhere greed email emails great gouging enough gotten end got good gonna gone garbage fuel future fix far fees feet fan few fair fact face fiance finally financial guys first extortion expensive fee expenses fixed expected flat focused food everything even forcing forever forth free frequent from financially youre hacked issue just joint join job jacking itself its issues isnt hackednot isn iny intolerable into interested instead inflation increments justify keeping kept kidding limited limit life letting let lesser less legacy left leave learning layoff later last laid lack kids increasses increases increased hikes higher high her help health he eliminating havent have has hardly hard happy hand half had hacking hike hiking increase history income in improvements im ill if idea husband hungry huge how households household house hosehold horrible holder having down edge easily biden biased biannually bf between better benefits benefit begin before been becoming because became be barely bank back awhile biggest bill billing business cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt adding againlater again after afford addtional addresses additional addition added all activities acct accounts account access acceptance absurd about agree allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost card care cared day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers currently current differences direction creep double earlier each duplicate due drive drastically drain little dont disappointed done don doesnt do divorce disgusts disgusting discontinue currency credit caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company limiting loyal live started stranger stopping stopped stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscribers something temporarily the thats that thanks thank than terrible temporary taste subscription talk taking take system switching summer success subscriptions son someone living scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating risen rise series services some sick so situation single since significant signaling sign sight shoves set shouldn should short she share shady several settled their these they waste whats what were went well weeks week way was where warrant wants wanted want waiting wait vs virtue when while thing wouldn youll you yet years yearly year yall ya would who worth workable work wont without willing wife why value vaccine ut tired tried tracking town tooo too told today to tipped using times tightening tight throughout through this think things try trying twice two uses used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right ridiculous next now notified nothing not nonsense nonesence non nice news off newest new never needed my must multiple much of offer overpriced option outside out our others other original or options opening offered opened ontario oneday one once ok often offset moving moved move lower market many manservices making makes make made luck lost more losing loose looking longer lol locations location ll married may maybe me months monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means over own return raising recently recent reason really reality reactivate rather rate raises rectifying raised raise quickly quality putting put pushed provider recession redo owner residence retiring
Topic 18 | Coherence=-220351.54 | Top words= be will to is the you good we where your am checking increments access too canceling luck why greed many back of need end month payment move now again us continues start in there moved sight rise date switching rotating lol already moment and redo started horrible given give games girl gf garbage get future gas entertainment getting extortion go entertaining hacked guys greedy email great grandkids gouging emails gotten got enough gonna gone going goes fuel free especially fault finally fiance few feet fees feel fee far financially fan family fair fact expenses face extra financial expected from euro frequent expensive forth forever forcing for food even first focused flat fixed fix every hackednot everything youre higher hacking keeps keep justify just joint join job jacking itself its it issues issue isnt isn iny intolerable into keeping kept instead kidding limit like life letting let lesser less legacy left leave learning layoff later last laid lack kids interested inflation had history hikes hike else high her help health he having havent have has hardly hard happy hand half hiking holder increasses hosehold increasing increases increased increase income improvements im ill if idea husband hungry huge how households household house elsewhere dont eliminating benefit biggest biden biased biannually bf between better benefits being billing begin before been becoming because became barely bank bill billings away but card cant cannot cancelling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile automatically el addition agree againlater after afford adicional addtional addresses additional adding all added activities acct accounts account acceptance absurd about alarming allow aunt any at as aren are apps aparently anyways anymore anticonsumer allowed another annually an amounts amount amercian also almost care cared caring deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter damn dad cutting cut customers customer direction discontinue caused drain edge easily earlier each duplicate due drive drastically down disgusting double limiting done don doesnt do divorce disgusts currently current currency cheaper combining combine college climbing climb city choose choice charging creep charges charged charge changing changes changed change cell come coming company compared credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised competitive limited loyal little spouses stopped stop stepdad stealing stay states starting squeeze spouse stranger spending spend span sorry soon son something someone stopping stupid thats taking thanks thank than terrible temporary temporarily taste talk take sub system support summer success subscriptions subscription subscribers subscriber some so situation saving selection seen seems see secure second scaling scales save single same run rules rule rising risen ripped right sense series service services since significant signaling sign sick shoves shouldn should short she sharing share shady several settled set servicio that their return was what were went well weeks week way waste warrant when wants wanted want waiting wait vs virtue value whats while these would youll yet years yearly year yall ya wouldn worth who workable work wont won without with willing wife vaccine ut using time tracking town tooo told today tired tipped times tightening uses tight throughout through this think things thing they tried try trying twice users used use upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable two ridiculous retiring live nonesence offset offered offer off notified nothing not nonsense non ok no nice next news newest new never needed often on owner or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one my must multiple lost market manservices making makes make made loyalty lower losing much loose looking longer long locations location ll living married may maybe me moving more months monthly money monetary mom mistake mind might merge memberships membership members member medical means own owning retired raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently pagos repurposing resume
Topic 19 | Coherence=-211230.67 | Top words= my subscription has with an already in moving someone he bf dont need one husband anymore stepdad moved phone like so family hacked wife keeps it hacking spouse what offered political signaling virtue who seen acct free agree rise not switching owner fault gf go given give girl extortion extra get getting going gas face garbage games goes gonna gone gouging greedy expensive else greed great grandkids gotten enough elsewhere got good email emails end expenses entertaining fee future every fixed fix first financially financial finally fiance few feet far expected everything fees feel guys flat focused fair entertainment fuel especially from frequent fact fan food forth forever forcing for euro even youre having hackednot kidding keeping keep justify just joint join job jacking itself its issues issue isnt isn is iny intolerable kept kids interested lack little limiting limited limit life letting let lesser less legacy left leave learning layoff later last laid into instead had horrible history hiking hikes hike higher high her help health el havent have hardly hard happy hand half holder hosehold inflation house increments increasses increasing increases increased increase income improvements im ill if idea hungry huge how households household eliminating double edge easily biggest biden biased biannually between better benefits benefit being begin before been becoming because became be barely bank back bill billing billings but cant cannot cancelling canceling cancel can bye by business bills buggin budget broke break boyfriend both blindly bit awhile away automatically addition againlater again after afford adicional addtional addresses additional adding all added activities accounts account access acceptance absurd about alarming allow aunt anticonsumer at as aren are apps aparently anyways any another allowed annually and amounts amount amercian am also almost card care cared daughter deteriorated delivering declined decisions death deal days day date differences damn dad cutting cut customers customer currently current didnt different creep living earlier each duplicate due drive drastically drain down done direction don doesnt do divorce disgusts disgusting discontinue disappointed currency credit caring charging college climbing climb city choose choice checking cheaper charges combining charged charge changing changes changed change cell caused combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company live loyal ll states sub stupid stranger stopping stopped stop stealing stay starting subscribers started start squeeze spouses spending spend span sorry subscriber subscriptions son terrible there their the thats that thanks thank than temporary success temporarily taste talk taking take system support summer soon something ridiculous saving sense selection seems see secure second scaling scales save service same run rules rule rotating rising risen ripped series services some shouldn situation single since significant sign sight sick shoves should servicio short she sharing share shady several settled set these they thing waste whats were went well weeks week we way was where warrant wants wanted want waiting wait vs value when while things wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing will vaccine ut using tired tried tracking town tooo too told today to tipped uses times time tightening tight throughout through this think try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable right return location non offer off of now notified nothing nonsense nonesence no often nice next news newest new never needed must offset ok much or overpriced over outside out our others other original options on option opportunity opening opened ontario only oneday once multiple move retiring your many manservices making makes make made luck loyalty lower married lost losing loose looking longer long lol locations market may more mind months monthly month money monetary moment mom mistake might maybe merge memberships membership members member medical means me own owning pagos rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying parent reside retired
Topic 20 | Coherence=-220421.10 | Top words= to cancel price once offer tried shady almost raised fact that like pay used also dont your this other for again the paying just need care start of things time before take first subscriptions some financially being hard apps far hand at platforms prefer two go goes hackednot get hacked getting gf guys girl greedy greed great grandkids give gouging gotten got good gonna given gas gone going youre forth garbage games family fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email fan fault fee focused future fuel from frequent free forever forcing food flat feel fixed fix financial finally fiance few feet fees hacking health had its keeping keep justify joint join job jacking itself it half issues issue isnt isn is iny intolerable into keeps kept kidding kids limiting limited limit life letting let lesser less legacy left leave learning layoff later last laid lack interested instead inflation hosehold holder history hiking hikes hike higher high her help else he having havent have has hardly happy horrible house increments household increasses increasing increases increased increase income in improvements im ill if idea husband hungry huge how households elsewhere double eliminating benefit biggest biden biased biannually bf between better benefits begin billing been becoming because became be barely bank back bill billings away but card cant cannot cancelling canceling can bye by business bills buggin budget broke break boyfriend both blindly bit awhile automatically caring adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aunt another as aren are aparently anyways anymore any anticonsumer annually allow and an amounts amount amercian am already allowed cared caused el days differences didnt deteriorated delivering declined decisions death deal day direction daughter date damn dad cutting cut customers customer different disappointed current drain edge easily earlier each duplicate due drive drastically down discontinue live done don doesnt do divorce disgusts disgusting currently currency cell checking combining combine college climbing climb city choose choice cheaper coming charging charges charged charge changing changes changed change come company creep continue credit covid courtesy country costs cost continuous continues continually compared continously constantly constant consolidating consider connected compromised competitive little loyal living squeeze stopped stop stepdad stealing stay states starting started spouses stranger spouse spending spend span sorry soon son something stopping stupid so talk thats thanks thank than terrible temporary temporarily taste taking sub system switching support summer success subscription subscribers subscriber someone situation ll save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series single should since significant signaling sign sight sick shoves shouldn short service she sharing share several settled set servicio services their there these weeks while where when whats what were went well week why we way waste was warrant wants wanted want who wife they wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing waiting wait vs today twice trying try tracking town tooo too told tired virtue tipped times tightening tight throughout through think thing unable under understand unemployed value vaccine ut using uses users use us upward upping upcoming up until unneeded unnecessary unfortunately unfair right ridiculous return news nothing not nonsense nonesence non no nice next newest now new never needed my must multiple much moving notified off over opening out our others original or options option opportunity opened offered ontario only oneday one on ok often offset moved move more lower many manservices making makes make made luck loyalty lost months losing loose looking longer long lol locations location market married may maybe monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means me outside overpriced retiring rate recent reason really reality reactivate re rather rates raising recession raises raise quickly quality putting put pushed provider recently rectifying own reside retired
Topic 21 | Coherence=-223167.84 | Top words= you bill about family extra youre pay are greedy disgusting extortion to taste company its charge but me have different and for subscriptions my paying of when the subscription limit outside power news like idea increase states money euro cheaper currency it in raised yearly amount prefer allow mom how restrict girl gf getting get give given go end gonna goes grandkids guys hacked enough greed great entertaining gouging going gotten hackednot gas got good gone entertainment fact garbage finally every fiance few feet everything expected fees feel fee expenses fault far expensive fan face even financial games financially especially future fuel from fair free forth forever forcing food focused flat fixed fix first frequent having hacking kidding keeps keeping keep justify just joint join job jacking itself issues issue isnt isn is iny intolerable kept kids had lack live little limiting limited life letting let lesser less legacy left leave learning layoff later last laid into interested instead inflation hiking hikes hike higher high her help health he email havent has hardly hard happy hand half history holder horrible im increments increasses increasing increases increased income improvements ill hosehold if husband hungry huge households household house emails drive elsewhere begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden billing away business cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills awhile automatically else addition againlater again after afford adicional addtional addresses additional adding alarming added activities acct accounts account access acceptance absurd agree all aunt anticonsumer at as aren apps aparently anyways anymore any another allowed annually an amounts amercian am also already almost card care cared deal direction differences didnt deteriorated delivering declined decisions death days discontinue day daughter date damn dad cutting cut customers disappointed disgusts caring ll eliminating el edge easily earlier each duplicate due drastically divorce drain down double dont done don doesnt do customer currently current checking combining combine college climbing climb city choose choice charging creep charges charged changing changes changed change cell caused come coming compared competitive credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised living loyal location started stranger stopping stopped stop stepdad stealing stay starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber something temporary there their thats that thanks thank than terrible temporarily subscribers talk taking take system switching support summer success son someone they second service series sense selection seen seems see secure scaling servicio scales saving save same run rules rule rotating services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several these thing locations way whats what were went well weeks week we waste while was warrant wants wanted want waiting wait vs where who value worth youll yet years year yall ya wouldn would workable why work wont won without with willing will wife virtue vaccine things tired try tried tracking town tooo too told today tipped twice times time tightening tight throughout through this think trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rising risen rise nonsense offset offered offer off now notified nothing not nonesence ok non no nice next newest new never needed often on must or own overpriced over out our others other original options once option opportunity opening opened ontario only oneday one need multiple ripped loyalty market many manservices making makes make made luck your may lower lost losing loose looking longer long lol married maybe much moment moving moved move more months monthly month monetary mistake means mind might merge memberships membership members member medical owner owning pagos re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raise quickly quality putting redo reducing parent restart right
Topic 22 | Coherence=-203352.09 | Top words= price increasing reality change acceptance new that continually lack while point delivering little value of sight from opened short girl free frequent gf fuel getting gas garbage games future give get go given forever hand half had hacking hackednot hacked guys greedy greed great grandkids gouging gotten got good gonna gone going goes forth youre forcing for extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else eliminating face fact fair finally food focused happy fixed fix first financially financial fiance family few feet fees feel fee fault far fan flat have hard hardly laid kids kidding kept keeps keeping keep justify just joint join job jacking itself its it issues issue isnt last later layoff limit lol locations location ll living live limiting limited like learning life letting let lesser less legacy left leave isn is iny higher house hosehold horrible holder history hiking hikes hike high households her help health he having havent edge has household how intolerable increase into interested instead inflation increments increasses increases increased income huge in improvements im ill if idea husband hungry el due easily at bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biannually biased biden broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt as earlier aren agree againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access absurd about alarming all allow annually are apps aparently anyways anymore any anticonsumer another and allowed an amounts amount amercian am also already almost canceling cancelling cannot cant deteriorated declined decisions death deal days day daughter date damn dad cutting cut customers customer currently current currency creep didnt differences different dont each duplicate longer drive drastically drain down double done direction don doesnt do divorce disgusts disgusting discontinue disappointed credit covid courtesy charge city choose choice checking cheaper charging charges charged changing climbing changes changed cell caused caring cared care card climb college country consolidating costs cost continuous continues continue continously constantly constant consider combine connected compromised competitive compared company coming come combining long loyal looking span subscribers subscriber sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending subscription subscriptions success terrible these there their the thats thanks thank than temporary summer temporarily taste talk taking take system switching support spend sorry loose soon servicio services service series sense selection seen seems see secure second scaling scales saving save same run rules rule set settled several significant son something someone some so situation single since signaling shady sign sick shoves shouldn should she sharing share they thing things think where when whats what were went well weeks week we way waste was warrant wants wanted want waiting wait who why wife wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing vs virtue vaccine to try tried tracking town tooo too told today tired twice tipped times time tightening tight throughout through this trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under rotating rising risen parent ok often offset offered offer off now notified nothing not nonsense nonesence non no nice next news newest never on once one others owning owner own overpriced over outside out our other oneday original or options option opportunity opening ontario only needed need my making means me maybe may married market many manservices makes member make made luck loyalty your lower lost losing medical members must month multiple much moving moved move more months monthly money membership monetary moment mom mistake mind might merge memberships pagos parents rise passed reduce redo rectifying recession recently recent reason really reactivate re rather rates rate raising raises raised raise quickly quality reducing reflect rejoin restriction ripped right
Topic 23 | Coherence=-221003.81 | Top words= the do price not are new this your rates increases using same me as my higher than customer with who thing service others have at back addtional subscription stop youll daughter will upcoming has people like policy agree changes residence amount system workable really married policies terrible pleased under living cheaper replace restart rising spouses way rule given email moment im if combining used gouging increase from games frequent free end elsewhere enough fuel future give gone going emails girl goes go garbage gas entertaining get getting gf expensive fixed forth fees euro even fee every fault everything expected far fan expenses family fair fact face extra feel feet forever few forcing for food focused flat extortion fix entertainment first especially financially financial finally fiance good gonna hardly got job itself its it issues issue isnt isn is iny intolerable into interested instead inflation increments increasses increasing jacking join gotten joint legacy left leave learning layoff later last laid lack kids kidding kept keeps keeping keep justify just increased income in improvements he having havent eliminating hard happy hand half had hacking hackednot hacked guys greedy greed great grandkids health help her household ill idea husband hungry huge how households house high hosehold horrible holder history hiking hikes hike else youre el being biden biased biannually bf between better benefits benefit begin bill before been becoming because became be barely bank biggest billing edge business cannot cancelling canceling cancel can bye by but buggin billings budget broke break boyfriend both blindly bit bills awhile away automatically adding againlater again after afford adicional addresses additional addition added aunt activities acct accounts account access acceptance absurd about alarming all allow allowed aren apps aparently anyways anymore any anticonsumer another annually and an amounts amercian am also already almost cant card care deal different differences didnt deteriorated delivering declined decisions death days currency day date damn dad cutting cut customers currently direction disappointed discontinue disgusting easily earlier each duplicate due drive drastically drain down double dont done don doesnt lesser divorce disgusts current creep cared charging combine college climbing climb city choose choice checking charges credit charged charge changing changed change cell caused caring come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive less loyal let spend stay states starting started start squeeze spouse spending span since sorry soon son something someone some so situation stealing stepdad stopped stopping thank temporary temporarily taste talk taking take switching support summer success subscriptions subscribers subscriber sub stupid stranger single significant letting rules see secure second scaling scales saving save run rotating signaling risen rise ripped right ridiculous return retiring retired seems seen selection sense sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services series thanks that thats was what were went well weeks week we waste warrant their wants wanted want waiting wait vs virtue value whats when where while you yet years yearly year yall ya wouldn would worth work wont won without willing wife why vaccine ut uses town too told today to tired tipped times time tightening tight throughout through think things they these there tooo tracking users tried use us upward upping up until unneeded unnecessary unfortunately unfair unemployed understand unable two twice trying try resume resubscribe restriction need non no nice next news newest never needed must options multiple much moving moved move more months monthly nonesence nonsense nothing notified opportunity opening opened ontario only oneday one once on ok often offset offered offer off of now month money monetary luck lower lost losing loose looking longer long lol locations location ll live little limiting limited limit life loyalty made mom make mistake mind might merge memberships membership members member medical means maybe may market many manservices making makes option or restrict pushed raising raises raised raise quickly quality putting put provider original profits profit profiles problem pricing prices president prescription rate rather re
Topic 24 | Coherence=-218405.51 | Top words= you more to and that for charge re my the kids going in new fee will another greed sharing live loose city unfair intolerable from is less how even on fair your people profits get service stupid try creep waste users since we forth forever forcing free limit frequent food focused layoff games fuel future grandkids gouging gotten got good gonna gone like goes go given give girl gf getting gas garbage flat limited fixed entertaining expenses expected everything every euro especially entertainment enough extortion end emails email elsewhere else eliminating el expensive extra fix fees first financially financial finally fiance few feet feel little limiting fault far fan family fact face great hacking life it issue isnt isn legacy iny into interested instead inflation increments increasses lesser increasing increases increased increase income issues its greedy itself last laid lack learning kidding kept keeps keeping keep justify just joint join job leave jacking left improvements im ill if he letting having easily havent have has hardly hard happy hand half had later hackednot hacked guys health help her house idea husband hungry huge households let household hosehold high horrible holder history hiking hikes hike higher edge youre earlier each bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biannually biased biden broke cancel can bye by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill aunt at as adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren an are apps aparently anyways anymore any anticonsumer annually amounts all amount amercian am also already almost allowed allow canceling cancelling cannot date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences covid done duplicate due drive drastically drain down double living don different doesnt do divorce disgusts disgusting discontinue disappointed direction credit courtesy cant changing climb choose choice checking cheaper charging charges charged changes college changed change cell caused caring cared care card climbing combine country constant costs cost continuous continues continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come dont loyal ll squeeze stop stepdad stealing stay states starting started start spouses stopping spouse spending spend span sorry soon son something stopped stranger some take thank than terrible temporary temporarily taste talk taking system sub switching support summer success subscriptions subscription subscribers subscriber someone so thats same seems see secure second scaling scales saving save run selection rules rule rotating rising risen rise ripped right seen sense situation should single significant signaling sign sight sick shoves shouldn short series she share shady several settled set servicio services thanks their location way when whats what were went well weeks week was while warrant wants wanted want waiting wait vs virtue where who vaccine would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife value ut there tightening tooo too told today tired tipped times time tight tracking throughout through this think things thing they these town tried using until uses used use us upward upping upcoming up unneeded trying unnecessary unfortunately unemployed understand under unable two twice ridiculous return retiring nonesence offer off of now notified nothing not nonsense non offset no nice next news newest never needed need offered often multiple options over outside out our others other original or option ok opportunity opening opened ontario only oneday one once must much retired luck married market many manservices making makes make made loyalty maybe lower lost losing looking longer long lol locations may me moving mom moved move months monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced own owner raises reason really reality reactivate rather rates rate raising raised recently raise quickly quality putting put pushed provider profit recent recession owning repurposing resume
Topic 25 | Coherence=-214914.00 | Top words= and my share that increase with family using want don outside extra subscription when power money limit states like the idea about for hosehold cant agree unable fair where been doesnt date getting go given give girl gf gas get enough going garbage games future fuel from goes expected gone especially had hacking hackednot hacked guys greedy entertainment euro gonna greed great grandkids gouging gotten got eliminating good frequent even fault feet fees email every feel fee emails far expenses fan end fact face everything extortion expensive few elsewhere fiance finally free forth forever forcing entertaining food focused flat fixed fix hand first financially financial else half youre happy join kidding kept keeps keeping keep justify just joint job lack jacking itself its it issues issue isnt isn kids laid hard letting location ll living live little limiting limited life let last lesser less legacy left leave learning layoff later is iny intolerable her horrible holder history hiking hikes hike higher high help into health he edge having havent have has hardly house household households how interested instead inflation increments increasses increasing increases increased income in improvements im ill if husband hungry huge el double easily before biannually bf between better benefits benefit being begin becoming biden because became be barely bank back awhile away biased biggest aunt budget canceling cancel can bye by but business buggin broke bill break boyfriend both blindly bit bills billings billing automatically at earlier addition againlater again after afford adicional addtional addresses additional adding all added activities acct accounts account access acceptance absurd alarming allow as another aren are apps aparently anyways anymore any anticonsumer annually allowed an amounts amount amercian am also already almost cancelling cannot card dad declined decisions death deal days day daughter damn cutting deteriorated cut customers customer currently current currency creep credit delivering didnt care dont each duplicate due drive drastically drain down lol done differences do divorce disgusts disgusting discontinue disappointed direction different covid courtesy country charged climb city choose choice checking cheaper charging charges charge costs changing changes changed change cell caused caring cared climbing college combine combining cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come locations loyal long their stopped stop stepdad stealing stay starting started start squeeze spouses spouse spending spend span sorry soon son something someone stopping stranger stupid taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscribers subscriber some so situation save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series single should since significant signaling sign sight sick shoves shouldn short service she sharing shady several settled set servicio services thats there longer these whats what were went well weeks week we way waste was warrant wants wanted waiting wait vs virtue value while who why wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without willing will vaccine ut uses time tooo too told today to tired tipped times tightening tracking tight throughout through this think things thing they town tried users unneeded used use us upward upping upcoming up until unnecessary try unfortunately unfair unemployed understand under two twice trying right ridiculous return retiring offset offered offer off of now notified nothing not nonsense nonesence non no nice next news newest new never often ok on or own overpriced over out our others other original options once option opportunity opening opened ontario only oneday one needed need must make maybe may married market many manservices making makes made means luck loyalty your lower lost losing loose looking me medical multiple monetary much moving moved move more months monthly month moment member mom mistake mind might merge memberships membership members owner owning pagos rate recent reason really reality reactivate re rather rates raising recession raises raised raise quickly quality putting put pushed recently rectifying profits reside retired resume
Topic 26 | Coherence=-213670.21 | Top words= to my it not pay subscription is have that just was so but ill an because after bill compromised do charged card without told wanted credit automatically allowed option bank fault think customers for more isn before daughter paying constant be make extra gouging expected gotten got expenses expensive good fixed gonna gone going goes go given give everything grandkids great euro hand entertaining half entertainment especially had hacking every hackednot hacked guys greedy even greed extortion face flat girl happy forth fees feet few fiance finally forever financial forcing financially first fix food focused free feel frequent fan fact fair gf getting get family gas from garbage games future fuel far fee youre hike hard later laid lack kids kidding kept keeps keeping keep justify joint join job jacking itself its issues issue last layoff iny learning location ll living live little limiting limited limit like life letting let lesser less legacy left leave isnt intolerable hardly households house hosehold horrible holder history hiking hikes end higher high her help health he having havent has household how into huge interested instead inflation increments increasses increasing increases increased increase income in improvements im if idea husband hungry enough drastically emails benefit biggest biden biased biannually bf between better benefits being at begin been becoming became barely back awhile away billing billings bills bit care cant cannot cancelling canceling cancel can bye by business buggin budget broke break boyfriend both blindly aunt as caring adding againlater again afford adicional addtional addresses additional addition added aren activities acct accounts account access acceptance absurd about agree alarming all allow are apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am also already almost cared caused email delivering disgusting discontinue disappointed direction different differences didnt deteriorated declined cut decisions death deal days day date damn dad disgusts divorce doesnt don elsewhere else eliminating el edge easily earlier each duplicate due drive lol drain down double dont done cutting customer cell choice come combining combine college climbing climb city choose checking currently cheaper charging charges charge changing changes changed change coming company compared competitive current currency creep covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected locations loyal long rise stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber taste the thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions son something someone scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating rising service servicio some shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled their there these week where when whats what were went well weeks we who way waste warrant wants want waiting wait vs while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won with willing will virtue vaccine they tipped try tried tracking town tooo too today tired times twice time tightening tight throughout through this things thing trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under risen ripped longer right ok often offset offered offer off of now notified nothing nonsense nonesence non no nice next news newest new on once one others owning owner own overpriced over outside out our other oneday original or options opportunity opening opened ontario only never needed need makes me maybe may married market many manservices making made medical luck loyalty your lower lost losing loose looking means member must money multiple much moving moved move months monthly month monetary members moment mom mistake mind might merge memberships membership pagos parent parents re rectifying recession recently recent reason really reality reactivate rather reduce rates rate raising raises raised raise quickly quality redo reducing put restart ridiculous return
Topic 27 | Coherence=-212703.08 | Top words= to need change cut billing expenses just of country date service unable all no help almost out per rent increased at month customer my months town costs looking cutting must retiring unnecessary another trying due more increasing getting new hackednot fuel had hacking games future from great hacked garbage grandkids gouging gotten got good greed gonna gone going goes go given give girl greedy guys get gas gf forcing frequent fault fan family fair fact face extra extortion expensive expected everything every even euro especially entertainment entertaining enough far fee free feel forth forever hand for food focused flat fixed fix first financially financial finally fiance few feet fees half youre happy join kids kidding kept keeps keeping keep justify joint job iny jacking itself its it issues issue isnt isn lack laid last later living live little limiting limited limit like life letting let lesser less legacy left leave learning layoff is intolerable hard high hosehold horrible holder history hiking hikes hike higher emails into her health he having havent have has hardly house household households how interested instead inflation increments increasses increases increase income in improvements im ill if idea husband hungry huge end each email before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest automatically buggin cancelling canceling cancel can bye by but business budget bill broke break boyfriend both blindly bit bills billings away aunt cant adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as annually aren are apps aparently anyways anymore any anticonsumer and allow an amounts amount amercian am also already allowed cannot card elsewhere decisions disappointed direction different differences didnt deteriorated delivering declined death disgusting deal days day daughter damn dad customers currently discontinue disgusts currency drive else eliminating el edge easily earlier location duplicate drastically divorce drain down double dont done don doesnt do current creep care charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed cell caused caring cared college combining credit constantly covid courtesy cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming ll loyal locations stealing subscriber sub stupid stranger stopping stopped stop stepdad stay subscription states starting started start squeeze spouses spouse spending subscribers subscriptions span temporary their the thats that thanks thank than terrible temporarily success taste talk taking take system switching support summer spend sorry these seems settled set servicio services series sense selection seen see shady secure second scaling scales saving save same run several share soon significant son something someone some so situation single since signaling sharing sign sight sick shoves shouldn should short she there they rule weeks while where when whats what were went well week why we way waste was warrant wants wanted want who wife wait wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing waiting vs thing tipped try tried tracking tooo too told today tired times two time tightening tight throughout through this think things twice under virtue us value vaccine ut using uses users used use upward understand upping upcoming up until unneeded unfortunately unfair unemployed rules rotating lol off one once on ok often offset offered offer now only notified nothing not nonsense nonesence non nice next oneday ontario newest outside parents parent pagos owning owner own overpriced over our opened others other original or options option opportunity opening news never past made may married market many manservices making makes make luck me loyalty your lower lost losing loose longer long maybe means needed moment multiple much moving moved move monthly money monetary mom medical mistake mind might merge memberships membership members member passed pay rising reality reduce redo rectifying recession recently recent reason really reactivate reflect re rather rates rate raising raises raised raise reducing rejoin quality resubscribe risen rise
Topic 28 | Coherence=-213887.71 | Top words= price and is with to increases be more money deal can saving problem continuous need climb added few before broke way sick biggest agree barely off been caring wife up constant fuel hand games garbage future half had hacking gas get getting happy grandkids hackednot gf gotten great got good gonna gone going goes from go given greed greedy give guys girl gouging hacked youre frequent expected family fair fact face extra extortion expensive expenses everything far every even euro especially entertainment entertaining enough end fan fault free fixed forth hardly forever forcing for food focused flat fix fee first financially financial finally fiance feet fees feel hard hike has justify laid lack kids kidding kept keeps keeping keep just later joint join job jacking itself its it issues last layoff have limit locations location ll living live little limiting limited like learning life letting let lesser less legacy left leave issue isnt isn hikes households household house hosehold horrible holder history hiking email iny higher high her help health he having havent how huge hungry husband intolerable into interested instead inflation increments increasses increasing increased increase income in improvements im ill if idea emails drive elsewhere being biden biased biannually bf between better benefits benefit begin billing becoming because became bank back awhile away automatically bill billings else by care card cant cannot cancelling canceling cancel bye but bills business buggin budget break boyfriend both blindly bit aunt at as addition againlater again after afford adicional addtional addresses additional adding aren activities acct accounts account access acceptance absurd about alarming all allow allowed are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian am also already almost cared caused cell declined discontinue disappointed direction different differences didnt deteriorated delivering decisions customers death days day daughter date damn dad cutting disgusting disgusts divorce do eliminating el edge easily earlier each duplicate due long drastically drain down double dont done don doesnt cut customer change choice coming come combining combine college climbing city choose checking currently cheaper charging charges charged charge changing changes changed company compared competitive compromised current currency creep credit covid courtesy country costs cost continues continue continually continously constantly consolidating consider connected lol loyal longer there sub stupid stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span subscriber subscribers subscription temporarily the thats that thanks thank than terrible temporary taste subscriptions talk taking take system switching support summer success sorry soon son secure services service series sense selection seen seems see second set scaling scales save same run rules rule rotating servicio settled something sign someone some so situation single since significant signaling sight several shoves shouldn should short she sharing share shady their these risen they when whats what were went well weeks week we waste was warrant wants wanted want waiting wait vs virtue where while who wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing will value vaccine ut times tracking town tooo too told today tired tipped time try tightening tight throughout through this think things thing tried trying using until uses users used use us upward upping upcoming unneeded twice unnecessary unfortunately unfair unemployed understand under unable two rising rise looking parent on ok often offset offered offer of now notified nothing not nonsense nonesence non no nice next news newest once one oneday others owning owner own overpriced over outside out our other only original or options option opportunity opening opened ontario new never needed makes me maybe may married market many manservices making make medical made luck loyalty your lower lost losing loose means member my month must multiple much moving moved move months monthly monetary members moment mom mistake mind might merge memberships membership pagos parents ripped passed redo rectifying recession recently recent reason really reality reactivate re rather rates rate raising raises raised raise quickly quality reduce reducing reflect restrict right ridiculous
Topic 29 | Coherence=-222246.82 | Top words= the is keep you prices addition terrible pricing sharing price greedy increasing charges every increase of it your year when good not nothing and but added seems ok really me cancel ridiculous up acceptance first jacking didnt days let month became since raises tired history pay won caused throughout reflect raised lost garbage gas entertaining games get getting future fuel gf from given enough girl give go goes going gone gonna end got gotten gouging grandkids great emails frequent family entertainment free financial finally fiance few feet extortion fees feel fee extra face fault far fact fan expensive expenses expected for forth especially euro fair forever forcing food everything focused flat fixed fix financially even greed he guys keeping just joint join job itself its issues issue isnt isn iny intolerable into interested instead inflation increments justify keeps hacked kept limit like life letting lesser less legacy left leave learning layoff later last laid lack kids kidding increasses increases increased income high her help health elsewhere having havent have has hardly hard happy hand half had hacking hackednot higher hike hikes hungry in improvements im ill if idea husband huge hiking how households household house hosehold horrible holder email youre else eliminating biden biased biannually bf between better benefits benefit being begin before been becoming because be barely bank back awhile biggest bill billing business card cant cannot cancelling canceling can bye by buggin billings budget broke break boyfriend both blindly bit bills away automatically aunt addresses alarming agree againlater again after afford adicional addtional additional allow adding activities acct accounts account access absurd about all allowed at anticonsumer as aren are apps aparently anyways anymore any another almost annually an amounts amount amercian am also already care cared caring death disappointed direction different differences deteriorated delivering declined decisions deal disgusting day daughter date damn dad cutting cut customers discontinue disgusts currently drastically el edge easily earlier each duplicate due drive limiting divorce drain down double dont done don doesnt do customer current cell choice come combining combine college climbing climb city choose checking company cheaper charging charged charge changing changes changed change coming compared currency continues creep credit covid courtesy country costs cost continuous continue competitive continually continously constantly constant consolidating consider connected compromised limited loyal little starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscriber there talk thats that thanks thank than temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription soon son something scaling service series sense selection seen see secure second scales someone saving save same run rules rule rotating rising services servicio set settled some so situation single significant signaling sign sight sick shoves shouldn should short she share shady several their these rise waste what were went well weeks week we way was where warrant wants wanted want waiting wait vs virtue whats while they worth youll yet years yearly yall ya wouldn would workable who work wont without with willing will wife why value vaccine ut tipped tried tracking town tooo too told today to times using time tightening tight through this think things thing try trying twice two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable risen ripped live news now notified nonsense nonesence non no nice next newest offer new never needed need my must multiple much off offered over opportunity out our others other original or options option opening offset opened ontario only oneday one once on often moving moved move losing manservices making makes make made luck loyalty lower loose more looking longer long lol locations location ll living many market married may months monthly money monetary moment mom mistake mind might merge memberships membership members member medical means maybe outside overpriced right rate recently recent reason reality reactivate re rather rates raising rectifying raise quickly quality putting put pushed provider profits recession redo own respect return
Topic 30 | Coherence=-219442.92 | Top words= afford can it and this now will when at right pay time but charging out cant keep of willing lost job financial too high am issues my declined think changing work card just thats resume done unemployed again start bank having month money temporary some upping interested moment tight re payment getting get gas give garbage girl gf youre given go goes going gone gonna good got gotten gouging grandkids great greed greedy guys games fixed future expected fan family fair fact face extra extortion expensive expenses everything fuel every even euro especially entertainment entertaining enough end emails far fault fee feel from frequent free forth forever forcing for food focused flat hackednot fix first financially finally fiance few feet fees hacked her hacking had keeps keeping justify joint join jacking itself its issue isnt isn is iny intolerable into instead inflation kept kidding kids less limited limit like life letting let lesser legacy lack left leave learning layoff later last laid increments increasses increasing he hiking hikes hike higher elsewhere help health havent holder have has hardly hard happy hand half history horrible increases if increased increase income in improvements im ill idea hosehold husband hungry huge how households household house email dont else begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely back awhile biden bill eliminating buggin care cannot cancelling canceling cancel bye by business budget billing broke break boyfriend both blindly bit bills billings away automatically aunt adding agree againlater after adicional addtional addresses additional addition added as activities acct accounts account access acceptance absurd about alarming all allow allowed aren are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost cared caring caused deal direction different differences didnt deteriorated delivering decisions death days currently day daughter date damn dad cutting cut customers disappointed discontinue disgusting disgusts el edge easily earlier each duplicate due drive drastically drain down double little don doesnt do divorce customer current cell choose coming come combining combine college climbing climb city choice currency checking cheaper charges charged charge changes changed change company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected limiting loyal live spouse stepdad stealing stay states starting started squeeze spouses spending stopped spend span sorry soon son something someone so stop stopping thanks switching than terrible temporarily taste talk taking take system support stranger summer success subscriptions subscription subscribers subscriber sub stupid situation single since save seen seems see secure second scaling scales saving same significant run rules rule rotating rising risen rise ripped selection sense series service signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thank that return waste what were went well weeks week we way was where warrant wants wanted want waiting wait vs virtue whats while the wouldn youll you yet years yearly year yall ya would who worth workable wont won without with wife why value vaccine ut times tracking town tooo told today to tired tipped tightening using throughout through things thing they these there their tried try trying twice uses users used use us upward upcoming up until unneeded unnecessary unfortunately unfair understand under unable two ridiculous retiring living nice off notified nothing not nonsense nonesence non no next offered news newest new never needed need must multiple offer offset overpriced opportunity outside our others other original or options option opening often opened ontario only oneday one once on ok much moving moved lower manservices making makes make made luck loyalty your losing move loose looking longer long lol locations location ll many market married may more months monthly monetary mom mistake mind might merge memberships membership members member medical means me maybe over own retired raised really reality reactivate rather rates rate raising raises raise recent quickly quality putting put pushed provider profits profit reason recently owner replace resubscribe
Topic 31 | Coherence=-224694.36 | Top words= and of price is getting sharing are increase subscription up bye subscriptions in my talk limited recent everything prices we life out consolidating to continue even hikes try go yet squeeze else married moving got be already lack fiance people for after hand accounts combining expensive money far food gas inflation selection why profits much youll paying raising give future great games garbage grandkids gouging gotten get good girl gonna gf gone going goes fuel given enough email from face feel fee fault fan family fair fact extra frequent extortion expenses expected every euro especially entertainment fees feet few end free forth forever forcing focused flat fixed entertaining fix emails greed first financially financial finally youre havent greedy keep just joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead justify keeping guys keeps limit like letting let lesser less legacy left leave learning layoff later last laid kids kidding kept increments increasses increasing increases higher high her help health he having have has hardly hard happy half had hacking hackednot hacked hike hiking history husband increased income improvements im ill if idea hungry holder huge how households household house hosehold horrible elsewhere down eliminating being biden biased biannually bf between better benefits benefit begin bill before been becoming because became barely bank back biggest billing away business cant cannot cancelling canceling cancel can by but buggin billings budget broke break boyfriend both blindly bit bills awhile automatically care addition agree againlater again afford adicional addtional addresses additional adding all added activities acct account access acceptance absurd about alarming allow aunt anticonsumer at as aren apps aparently anyways anymore any another allowed annually an amounts amount amercian am also almost card cared el deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue currently drain edge easily earlier each duplicate due drive drastically little disgusting double dont done don doesnt do divorce disgusts customer current caring charging college climbing climb city choose choice checking cheaper charges come charged charge changing changes changed change cell caused combine coming currency continues creep credit covid courtesy country costs cost continuous continually company continously constantly constant consider connected compromised competitive compared limiting loyal live started stopping stopped stop stepdad stealing stay states starting start stupid spouses spouse spending spend span sorry soon son stranger sub someone temporarily the thats that thanks thank than terrible temporary taste subscriber taking take system switching support summer success subscribers something some living saving sense seen seems see secure second scaling scales save service same run rules rule rotating rising risen rise series services so shoves situation single since significant signaling sign sight sick shouldn servicio should short she share shady several settled set their there these waste whats what were went well weeks week way was where warrant wants wanted want waiting wait vs virtue when while they worth you years yearly year yall ya wouldn would workable who work wont won without with willing will wife value vaccine ut times tracking town tooo too told today tired tipped time using tightening tight throughout through this think things thing tried trying twice two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable ripped right ridiculous nice now notified nothing not nonsense nonesence non no next offer news newest new never needed need must multiple off offered over opening our others other original or options option opportunity opened offset ontario only oneday one once on ok often moved move more lost making makes make made luck loyalty your lower losing months loose looking longer long lol locations location ll manservices many market may monthly month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe outside overpriced return rate recently reason really reality reactivate re rather rates raises rectifying raised raise quickly quality putting put pushed provider recession redo own residence retiring
Topic 32 | Coherence=-225661.38 | Top words= to money need as do use not dont you much save it trying services and for good enough go possible continues other so up just guys put want needed why forth now expenses some reducing bills cut spending reduce no the off months am warrant laid discontinue weeks several right cost my been often never unneeded membership same places even euro gas fuel future especially games garbage gotten every email everything gone going getting from got entertainment emails gf girl give given gonna entertaining goes end get fee expected fix feel fees feet few fiance fault finally financial far fan financially first grandkids family expensive fixed flat fair fact focused food face forcing forever extra extortion free frequent gouging youre great iny jacking itself its issues issue isnt isn is intolerable increase into interested instead inflation increments increasses increasing increases job join joint justify let lesser less legacy left leave learning layoff later last lack kids kidding kept keeps keeping keep increased income greed hardly her help health he elsewhere havent have has hard in happy hand half had hacking hackednot hacked greedy high higher hike hikes improvements im ill if idea husband hungry huge how households household house hosehold horrible holder history hiking having done else before biannually bf between better benefits benefit being begin becoming biden because became be barely bank back awhile away biased biggest aunt buggin cancelling canceling cancel can bye by but business budget bill broke break boyfriend both blindly bit billings billing automatically at cant adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aren annually are apps aparently anyways anymore any anticonsumer another an all amounts amount amercian also already almost allowed allow cannot card eliminating day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting customers customer currently current differences direction creep drastically el edge easily earlier each duplicate due drive drain disappointed down double life don doesnt divorce disgusts disgusting currency credit care charged climb city choose choice checking cheaper charging charges charge college changing changes changed change cell caused caring cared climbing combine covid constant courtesy country costs continuous continue continually continously constantly consolidating combining consider connected compromised competitive compared company coming come letting loyal like starting stranger stopping stopped stop stepdad stealing stay states started something start squeeze spouses spouse spend span sorry soon stupid sub subscriber subscribers thanks thank than terrible temporary temporarily taste talk taking take system switching support summer success subscriptions subscription son someone thats saving selection seen seems see secure second scaling scales run situation rules rule rotating rising risen rise ripped ridiculous sense series service servicio single since significant signaling sign sight sick shoves shouldn should short she sharing share shady settled set that their limit we where when whats what were went well week way vaccine waste was wants wanted waiting wait vs virtue while who wife will youll yet years yearly year yall ya wouldn would worth workable work wont won without with willing value ut there tightening tooo too told today tired tipped times time tight using throughout through this think things thing they these town tracking tried try uses users used us upward upping upcoming until unnecessary unfortunately unfair unemployed understand under unable two twice return retiring retired news of notified nothing nonsense nonesence non nice next newest monetary new must multiple moving moved move more monthly offer offered offset ok outside out our others original or options option opportunity opening opened ontario only oneday one once on month moment resume long loyalty your lower lost losing loose looking longer lol mom locations location ll living live little limiting limited luck made make makes mistake mind might merge memberships members member medical means me maybe may married market many manservices making over overpriced own raised reality reactivate re rather rates rate raising raises raise owner quickly quality putting pushed provider profits profit profiles really reason recent
Topic 33 | Coherence=-226216.05 | Top words= price and the subscription too many your keep why now share anymore access hike luck am greed increments checking raising canceling not sharing letting us where paying change stopping more creep done reality constant think less dad way saving pay buggin upping made is people acceptance increases never do me addtional lack give games frequent from great grandkids fuel gouging gotten future got garbage girl good gonna gas get gone going goes go getting given gf youre fix free far family fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough fan fault forth fee forever forcing for food focused flat fixed guys first financially financial finally fiance few feet fees feel greedy health hacked justify joint join job jacking itself its it issues issue isnt isn iny intolerable into interested instead inflation just keeping hackednot keeps limited limit like life let lesser legacy left leave learning layoff later last laid kids kidding kept increasses increasing increased increase higher high her help emails he having havent have has hardly hard happy hand half had hacking hikes hiking history husband income in improvements im ill if idea hungry holder huge how households household house hosehold horrible end drain email begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill care business cant cannot cancelling cancel can bye by but budget billing broke break boyfriend both blindly bit bills billings awhile away automatically additional alarming agree againlater again after afford adicional addresses addition aunt adding added activities acct accounts account absurd about all allow allowed almost at as aren are apps aparently anyways any anticonsumer another annually an amounts amount amercian also already card cared elsewhere death direction different differences didnt deteriorated delivering declined decisions deal discontinue days day daughter date damn cutting cut customers disappointed disgusting caring due else eliminating el edge easily earlier each duplicate drive disgusts drastically little down double dont don doesnt divorce customer currently current cheaper combining combine college climbing climb city choose choice charging currency charges charged charge changing changes changed cell caused come coming company compared credit covid courtesy country costs cost continuous continues continue continually continously constantly consolidating consider connected compromised competitive limiting loyal live started stranger stopped stop stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber there taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions son something someone scaling series sense selection seen seems see secure second scales some save same run rules rule rotating rising risen service services servicio set so situation single since significant signaling sign sight sick shoves shouldn should short she shady several settled their these ripped we when whats what were went well weeks week waste who was warrant wants wanted want waiting wait vs while wife they wouldn youll you yet years yearly year yall ya would will worth workable work wont won without with willing virtue value vaccine tipped tried tracking town tooo told today to tired times ut time tightening tight throughout through this things thing try trying twice two using uses users used use upward upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable rise right living non offered offer off of notified nothing nonsense nonesence no often nice next news newest new needed need my offset ok own options over outside out our others other original or option on opportunity opening opened ontario only oneday one once must multiple much lost married market manservices making makes make loyalty lower losing moving loose looking longer long lol locations location ll may maybe means medical moved move months monthly month money monetary moment mom mistake mind might merge memberships membership members member overpriced owner ridiculous rates recession recently recent reason really reactivate re rather rate redo raises raised raise quickly quality putting put pushed rectifying reduce owning respect return
Topic 34 | Coherence=-221382.03 | Top words= you back are the it only if fact this bye good and not that consider email me again forever makes rectifying reactivate give issue we want never come months will to just ll break money saving taking can bit be of made using take restart hacked getting gone get guys hackednot hacking gas had garbage gf given girl greedy gonna go greed great goes grandkids gouging going gotten got future games flat fuel from fan family fair face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails far fault fee fixed frequent free forth forcing for food focused hand fix feel first financially financial finally fiance few feet fees half hikes happy kids kept keeps keeping keep justify joint join job jacking itself its issues isnt isn is iny intolerable kidding lack hard laid little limiting limited limit like life letting let lesser less legacy left leave learning layoff later last into interested instead inflation horrible holder history hiking else hike higher high her help health he having havent have has hardly hosehold house household in increments increasses increasing increases increased increase income improvements households im ill idea husband hungry huge how elsewhere youre eliminating begin biased biannually bf between better benefits benefit being before biggest been becoming because became barely bank awhile away biden bill aunt but care card cant cannot cancelling canceling cancel by business billing buggin budget broke boyfriend both blindly bills billings automatically at el adding againlater after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all as annually aren apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cared caring caused deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue cell live edge easily earlier each duplicate due drive drastically down disgusting double dont done don doesnt do divorce disgusts customer currently current checking combining combine college climbing climb city choose choice cheaper currency charging charges charged charge changing changes changed change coming company compared competitive creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating connected compromised drain loyal living start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid someone talk thats thanks thank than terrible temporary temporarily taste system sub switching support summer success subscriptions subscription subscribers subscriber something some ripped scaling series sense selection seen seems see secure second scales services save same run rules rule rotating rising risen service servicio so shoves situation single since significant signaling sign sight sick shouldn set should short she sharing share shady several settled their there these way when whats what were went well weeks week waste while was warrant wants wanted waiting wait vs virtue where who they would youll yet years yearly year yall ya wouldn worth why workable work wont won without with willing wife value vaccine ut tipped tried tracking town tooo too told today tired times uses time tightening tight throughout through think things thing try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable rise right location nonsense often offset offered offer off now notified nothing nonesence on non no nice next news newest new needed ok once my other owner own overpriced over outside out our others original one or options option opportunity opening opened ontario oneday need must ridiculous your married market many manservices making make luck loyalty lower maybe lost losing loose looking longer long lol locations may means multiple moment much moving moved move more monthly month monetary mom medical mistake mind might merge memberships membership members member owning pagos parent raising recent reason really reality re rather rates rate raises recession raised raise quickly quality putting put pushed provider recently redo parents residence return
Topic 35 | Coherence=-224376.82 | Top words= is for prices be too was services much better other increase me more climb benefit expensive it continues when going added have amount now are this no about what times started half should others upward offer keep charged lesser unfortunately sharing you second raising everything done business my over short new raise life right overpriced games future fuel garbage gas even get gonna greed great grandkids gouging gotten got good gone getting frequent goes go given give girl gf from food free euro fees feel fee fault especially far fan family few fair fact face extra extortion expenses expected feet fiance forth greedy forever forcing emails every focused flat end enough finally fixed fix first financially entertaining entertainment financial youre having guys increasing joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation increments just justify keeping learning like letting let less legacy left leave layoff keeps later last laid lack kids kidding kept increasses increases hacked increased hike higher high her help health he elsewhere havent has hardly hard happy hand had hacking hackednot hikes hiking history husband income in improvements im ill if idea hungry holder huge how households household house hosehold horrible email dont else begin biggest biden biased biannually bf between benefits being before billing been becoming because became barely bank back awhile bill billings automatically by card cant cannot cancelling canceling cancel can bye but bills buggin budget broke break boyfriend both blindly bit away aunt eliminating additional agree againlater again after afford adicional addtional addresses addition all adding activities acct accounts account access acceptance absurd alarming allow at another as aren apps aparently anyways anymore any anticonsumer annually allowed and an amounts amercian am also already almost care cared caring deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue caused drastically el edge easily earlier each duplicate due drive drain disgusting down double limited don doesnt do divorce disgusts customer currently current checking come combining combine college climbing city choose choice cheaper currency charging charges charge changing changes changed change cell coming company compared competitive creep credit covid courtesy country costs cost continuous continue continually continously constantly constant consolidating consider connected compromised limit loyal limiting starting stranger stopping stopped stop stepdad stealing stay states start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber the talk that thanks thank than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription son something someone save selection seen seems see secure scaling scales saving same some run rules rule rotating rising risen rise ripped sense series service servicio so situation single since significant signaling sign sight sick shoves shouldn she share shady several settled set thats their little way where whats were went well weeks week we waste who warrant wants wanted want waiting wait vs virtue while why there would youll yet years yearly year yall ya wouldn worth wife workable work wont won without with willing will value vaccine ut time tracking town tooo told today to tired tipped tightening using tight throughout through think things thing they these tried try trying twice uses users used use us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two ridiculous return retiring news notified nothing not nonsense nonesence non nice next newest off never needed need must multiple moving moved move of offered retired opening outside out our original or options option opportunity opened offset ontario only oneday one once on ok often months monthly month loose make made luck loyalty your lower lost losing looking money longer long lol locations location ll living live makes making manservices many monetary moment mom mistake mind might merge memberships membership members member medical means maybe may married market own owner owning rate recent reason really reality reactivate re rather rates raises profiles raised quickly quality putting put pushed provider profits recently recession rectifying redo
Topic 36 | Coherence=-217278.69 | Top words= to is for charge me your year raising starting additional profit uses greedy last just profiles she prices after ut and daughter sign extra re thank bye anyways college going cancel months will rate increase offset increasses each it time summer coming play outside wants boyfriend times fair town else high again face card gotten fuel games greed garbage gas gonna great gone get given goes go getting gf girl good got give grandkids gouging future youre from frequent far fan family fact extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end fault fee feel fixed free forth forever forcing food focused flat fix fees guys financially financial finally fiance few feet first having hacked its keeping keep justify joint join job jacking itself issues hackednot issue isnt isn iny intolerable into interested instead keeps kept kidding kids limiting limited limit like life letting let lesser less legacy left leave learning layoff later laid lack inflation increments increasing hiking hike higher her help health he email havent have has hardly hard happy hand half had hacking hikes history increases holder increased income in improvements im ill if idea husband hungry huge how households household house hosehold horrible emails double elsewhere before biannually bf between better benefits benefit being begin been biden becoming because became be barely bank back awhile biased biggest eliminating buggin cant cannot cancelling canceling can by but business budget bill broke break both blindly bit bills billings billing away automatically aunt adding alarming agree againlater afford adicional addtional addresses addition added at activities acct accounts account access acceptance absurd about all allow allowed almost as aren are apps aparently anymore any anticonsumer another annually an amounts amount amercian am also already care cared caring death direction different differences didnt deteriorated delivering declined decisions deal currently days day date damn dad cutting cut customers disappointed discontinue disgusting disgusts el edge easily earlier duplicate due drive drastically drain down live dont done don doesnt do divorce customer current caused checking come combining combine climbing climb city choose choice cheaper currency charging charges charged changing changes changed change cell company compared competitive compromised creep credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected little loyal living squeeze stopped stop stepdad stealing stay states started start spouses stranger spouse spending spend span sorry soon son something stopping stupid some taking that thanks than terrible temporary temporarily taste talk take sub system switching support success subscriptions subscription subscribers subscriber someone so ll save seen seems see secure second scaling scales saving same sense run rules rule rotating rising risen rise ripped selection series situation should single since significant signaling sight sick shoves shouldn short service sharing share shady several settled set servicio services thats the their we when whats what were went well weeks week way while waste was warrant wanted want waiting wait vs where who there would youll you yet years yearly yall ya wouldn worth why workable work wont won without with willing wife virtue value vaccine tightening tried tracking tooo too told today tired tipped tight using throughout through this think things thing they these try trying twice two users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under unable right ridiculous return next notified nothing not nonsense nonesence non no nice news of newest new never needed need my must multiple now off out opened others other original or options option opportunity opening ontario offer only oneday one once on ok often offered much moving moved lower many manservices making makes make made luck loyalty lost move losing loose looking longer long lol locations location market married may maybe more monthly month money monetary moment mom mistake mind might merge memberships membership members member medical means our over retiring raised recent reason really reality reactivate rather rates raises raise recession quickly quality putting put pushed provider profits problem recently rectifying overpriced reside retired
Topic 37 | Coherence=-215404.93 | Top words= price hikes too the with newest charging subscription many an issues extra share profiles to expected future sharing users subscriptions also have cannot past multiple between news disappointed years personal get sub fan husband billings stopped hackednot secure easily joint be company raise changes caring euro gonna even gone going fees goes go got given give girl every gf good especially gotten gouging expenses entertainment entertaining grandkids great greed enough end greedy emails guys email everything expensive getting fix hacked flat far fault fixed fee first feet financially financial feel finally fiance few food for forcing family fair forever forth free frequent from fuel fact face games garbage extortion gas focused youre hacking jacking kept keeps keeping keep justify just join job itself kids its it issue isnt isn is iny intolerable kidding lack interested let live little limiting limited limit like life letting lesser laid less legacy left leave learning layoff later last into instead had he history hiking hike higher high her help health having horrible havent else has hardly hard happy hand half holder hosehold inflation improvements increments increasses increasing increases increased increase income in im house ill if idea hungry huge how households household elsewhere double eliminating becoming bf better benefits benefit being begin before been because biased became barely bank back awhile away automatically aunt biannually biden cant budget canceling cancel can bye by but business buggin broke biggest break boyfriend both blindly bit bills billing bill at as aren adding again after afford adicional addtional addresses additional addition added are activities acct accounts account access acceptance absurd about againlater agree alarming all apps aparently anyways anymore any anticonsumer another annually and amounts amount amercian am already almost allowed allow cancelling card el day didnt deteriorated delivering declined decisions death deal days daughter different date damn dad cutting cut customers customer currently differences direction care down edge earlier each duplicate due drive drastically drain ll discontinue dont done don doesnt do divorce disgusts disgusting current currency creep cheaper combine college climbing climb city choose choice checking charges credit charged charge changing changed change cell caused cared combining come coming compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive living loyal location start stopping stop stepdad stealing stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger subscriber someone temporarily their thats that thanks thank than terrible temporary taste subscribers talk taking take system switching support summer success something some these save selection seen seems see second scaling scales saving same series run rules rule rotating rising risen rise ripped sense service so shoves situation single since significant signaling sign sight sick shouldn services should short she shady several settled set servicio there they locations we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who virtue would youll you yet yearly year yall ya wouldn worth why workable work wont won without willing will wife vs value thing tipped try tried tracking town tooo told today tired times twice time tightening tight throughout through this think things trying two vaccine upcoming ut using uses used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under right ridiculous return nonesence offer off of now notified nothing not nonsense non offset no nice next new never needed need my offered often much option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on must moving retiring loyalty married market manservices making makes make made luck your maybe lower lost losing loose looking longer long lol may me moved mom move more months monthly month money monetary moment mistake means mind might merge memberships membership members member medical over overpriced own rate recent reason really reality reactivate re rather rates raising recession raises raised quickly quality putting put pushed provider recently rectifying owner reside retired
Topic 38 | Coherence=-214498.49 | Top words= price have increases is subscription we change pay will use the where upcoming ridiculous different locations anticonsumer fee in don but amercian poland reflect live quality charges twice service many another barely becoming been reality accounts games future garbage fuel gf from gas get frequent getting youre girl give hackednot hacked guys greedy greed great grandkids gouging gotten got good gonna free going goes go given gone fixed forth family fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails fair fan forever far forcing for food focused flat had fix first financially financial finally fiance few feet fees feel fault hacking he half join kidding kept keeps keeping keep justify just joint job lack jacking itself its it issues issue isnt isn kids laid hand letting ll living little limiting limited limit like life let last lesser less legacy left leave learning layoff later iny intolerable into her horrible holder history hiking hikes hike higher high help interested health elsewhere having havent has hardly hard happy hosehold house household households instead inflation increments increasses increasing increased increase income improvements im ill if idea husband hungry huge how email drastically else being biden biased biannually bf between better benefits benefit begin bill before because became be bank back awhile away biggest billing care business cant cannot cancelling canceling cancel can bye by buggin billings budget broke break boyfriend both blindly bit bills automatically aunt at addition againlater again after afford adicional addtional addresses additional adding as added activities acct account access acceptance absurd about agree alarming all allow aren are apps aparently anyways anymore any annually and an amounts amount am also already almost allowed card cared eliminating day didnt deteriorated delivering declined decisions death deal days daughter direction date damn dad cutting cut customers customer currently differences disappointed caring drain el edge easily earlier each duplicate due drive down discontinue double dont done doesnt do divorce disgusts disgusting current currency creep checking combining combine college climbing climb city choose choice cheaper credit charging charged charge changing changes changed cell caused come coming company compared covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive location loyal lol rise stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber taste thats that thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer success subscriptions son something someone scaling series sense selection seen seems see secure second scales servicio saving save same run rules rule rotating rising services set some sick so situation single since significant signaling sign sight shoves settled shouldn should short she sharing share shady several their there these way when whats what were went well weeks week waste who was warrant wants wanted want waiting wait vs while why value wouldn youll you yet years yearly year yall ya would wife worth workable work wont won without with willing virtue vaccine they times town tooo too told today to tired tipped time tried tightening tight throughout through this think things thing tracking try ut until using uses users used us upward upping up unneeded trying unnecessary unfortunately unfair unemployed understand under unable two risen ripped long right offer off of now notified nothing not nonsense nonesence non no nice next news newest new never needed need offered offset often option outside out our others other original or options opportunity ok opening opened ontario only oneday one once on my must multiple made maybe may married market manservices making makes make luck means loyalty your lower lost losing loose looking longer me medical much monetary moving moved move more months monthly month money moment member mom mistake mind might merge memberships membership members over overpriced own rate recently recent reason really reactivate re rather rates raising rectifying raises raised raise quickly putting put pushed provider recession redo profit respect return retiring
Topic 39 | Coherence=-214834.66 | Top words= worth re college going you in thank it when bye anyways good not your for no charge daughter sign extra my ut to allow sharing caring tried are kidding had get frequent gas hand half garbage games future from fuel greed gf getting greedy great grandkids gouging guys gotten got hacked hackednot gonna gone hacking free goes go given give girl youre flat forth euro face extortion expensive expenses expected everything every even especially fair entertainment entertaining enough end emails email elsewhere else fact family forever financial forcing food focused hard fixed fix first financially finally fan fiance few feet fees feel fee fault far happy help hardly just laid lack kids kept keeps keeping keep justify joint later join job jacking itself its issues issue isnt last layoff has limit locations location ll living live little limiting limited like learning life letting let lesser less legacy left leave isn is iny hike household house hosehold horrible holder history hiking hikes higher intolerable high her el health he having havent have households how huge hungry into interested instead inflation increments increasses increasing increases increased increase income improvements im ill if idea husband eliminating drain edge been bf between better benefits benefit being begin before becoming biased because became be barely bank back awhile away biannually biden aunt broke canceling cancel can by but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill automatically at cannot adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming as and aren apps aparently anymore any anticonsumer another annually an all amounts amount amercian am also already almost allowed cancelling cant easily day didnt deteriorated delivering declined decisions death deal days date different damn dad cutting cut customers customer currently current differences direction creep double earlier each duplicate due drive drastically long down dont disappointed done don doesnt do divorce disgusts disgusting discontinue currency credit card charges climbing climb city choose choice checking cheaper charging charged combining changing changes changed change cell caused cared care combine come covid continously courtesy country costs cost continuous continues continue continually constantly coming constant consolidating consider connected compromised competitive compared company lol loyal longer their stranger stopping stopped stop stepdad stealing stay states starting started start squeeze spouses spouse spending spend span sorry soon stupid sub subscriber talk thats that thanks than terrible temporary temporarily taste taking subscribers take system switching support summer success subscriptions subscription son something someone scales sense selection seen seems see secure second scaling saving service save same run rules rule rotating rising risen series services some shoves so situation single since significant signaling sight sick shouldn servicio should short she share shady several settled set the there looking these whats what were went well weeks week we way waste was warrant wants wanted want waiting wait vs virtue where while who would youll yet years yearly year yall ya wouldn workable why work wont won without with willing will wife value vaccine using time town tooo too told today tired tipped times tightening try tight throughout through this think things thing they tracking trying uses until users used use us upward upping upcoming up unneeded twice unnecessary unfortunately unfair unemployed understand under unable two rise ripped right ridiculous on ok often offset offered offer off of now notified nothing nonsense nonesence non nice next news newest new once one oneday others owning owner own overpriced over outside out our other only original or options option opportunity opening opened ontario never needed need making means me maybe may married market many manservices makes member make made luck loyalty lower lost losing loose medical members must month multiple much moving moved move more months monthly money membership monetary moment mom mistake mind might merge memberships pagos parent parents rates recession recently recent reason really reality reactivate rather rate redo raising raises raised raise quickly quality putting put rectifying reduce provider respect return retiring
Topic 40 | Coherence=-229457.85 | Top words= price increases are the has too and after company much your biannually entertaining year or other far seems increasing many ill consider you options like prices greedy it ridiculous in my me of getting service months over is constant provider subscription through edge pushed am for phone greed ya going girl connected broke disgusts time member two often charge covid got business gouging benefit tired cell every short taking throughout flat happy retiring as even give euro entertainment gas get gone gonna good gf goes especially go everything gotten given feel garbage fan fix first financially fair financial family finally face fiance few feet fees fault fee fact fixed games forever future fuel expected frequent free forth expenses extra forcing expensive food focused grandkids extortion from youre great guys just joint join job jacking itself its issues issue isnt isn iny intolerable into interested instead inflation justify keep keeping learning letting let lesser less legacy left leave layoff keeps later last laid lack kids kidding kept increments increasses increased have high her help health he having enough hardly hike hard hand half had hacking hackednot hacked higher hikes increase huge income improvements im if idea husband hungry how hiking households household house hosehold horrible holder history havent double end before biden biased bf between better benefits being begin been automatically becoming because became be barely bank back awhile biggest bill billing billings cant cannot cancelling canceling cancel can bye by but buggin budget break boyfriend both blindly bit bills away aunt care adding againlater again afford adicional addtional addresses additional addition added at activities acct accounts account access acceptance absurd about agree alarming all allow aren apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost allowed card cared emails declined discontinue disappointed direction different differences didnt deteriorated delivering decisions cut death deal days day daughter date damn dad disgusting divorce do doesnt email elsewhere else eliminating el easily earlier each duplicate due drive drastically drain down dont done don cutting customers caring checking combining combine college climbing climb city choose choice cheaper customer charging charges charged changing changes changed change caused come coming compared competitive currently current currency creep credit courtesy country costs cost continuous continues continue continually continously constantly consolidating compromised life loyal limit start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon son stopping stupid limited talk that thanks thank than terrible temporary temporarily taste take sub system switching support summer success subscriptions subscribers subscriber something someone some saving sense selection seen see secure second scaling scales save so same run rules rule rotating rising risen rise series services servicio set situation single since significant signaling sign sight sick shoves shouldn should she sharing share shady several settled thats their there we when whats what were went well weeks week way virtue waste was warrant wants wanted want waiting wait where while who why youll yet years yearly yall wouldn would worth workable work wont won without with willing will wife vs value these to trying try tried tracking town tooo told today tipped vaccine times tightening tight this think things thing they twice unable under understand ut using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed ripped right return news nothing not nonsense nonesence non no nice next newest more new never needed need must multiple moving moved notified now off offer out our others original option opportunity opening opened ontario only oneday one once on ok offset offered move monthly overpriced longer made luck loyalty lower lost losing loose looking long month lol locations location ll living live little limiting make makes making manservices money monetary moment mom mistake mind might merge memberships membership members medical means maybe may married market outside own retired rate recent reason really reality reactivate re rather rates raising profiles raises raised raise quickly quality putting put profits recently recession rectifying redo
Topic 41 | Coherence=-225627.36 | Top words= it too for expensive now prices me going keep not much worth don service anymore many have unfortunately no enough upward using use customers are raising options different get fault want right never later maybe vs stupid increasing itself rule its offered and whats free subscriptions the else longer overpriced system workable declined price happy am someone horrible why but aren fixed fix forth first flat focused food forcing financially financial forever from layoff gf laid goes go given give girl getting frequent last gas garbage games future fuel finally is learning euro let letting expenses expected everything every even especially gonna entertainment entertaining life end emails email elsewhere extortion lesser extra face leave fiance few feet fees feel fee left far fan family legacy fair fact less gone grandkids good hosehold improvements im ill join if idea joint husband hungry huge just how households household justify in income job interested isnt iny issue intolerable issues into instead increase inflation increments increasses jacking increases increased house keeping got holder hand half kids had hacking hackednot lack hacked guys greedy greed great isn gouging gotten hard hardly kidding high history keeps hiking hikes hike higher her has help eliminating he having havent kept health youre el begin biased biannually bf between better benefits benefit being before biggest been becoming because became be barely bank back biden bill away buggin cannot cancelling canceling cancel can bye by business budget billing broke break boyfriend both blindly bit bills billings awhile automatically card adding again after afford adicional addtional addresses additional addition added agree activities acct accounts account access acceptance absurd about againlater alarming aunt annually at as apps aparently anyways any anticonsumer another an all amounts amount amercian also already almost allowed allow cant care edge daughter didnt deteriorated delivering decisions death deal days day date direction damn dad cutting cut customer currently current currency differences disappointed credit down easily earlier each duplicate due drive drastically drain double discontinue dont done limit doesnt do divorce disgusts disgusting creep covid cared charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining courtesy constantly country costs cost continuous continues continue continually continously constant come consolidating consider connected compromised competitive compared company coming like loyal limited spouse stealing stay states starting started start squeeze spouses spending stop spend span sorry soon son something some so stepdad stopped limiting take thank than terrible temporary temporarily taste talk taking switching stopping support summer success subscription subscribers subscriber sub stranger situation single since same seems see secure second scaling scales saving save run significant rules rotating rising risen rise ripped ridiculous return seen selection sense series signaling sign sight sick shoves shouldn should short she sharing share shady several settled set servicio services thanks that thats way when what were went well weeks week we waste ut was warrant wants wanted waiting wait virtue value where while who wife youll you yet years yearly year yall ya wouldn would work wont won without with willing will vaccine uses their tight told today to tired tipped times time tightening throughout users through this think things thing they these there tooo town tracking tried used us upping upcoming up until unneeded unnecessary unfair unemployed understand under unable two twice trying try retiring retired resume news of notified nothing nonsense nonesence non nice next newest more new needed need my must multiple moving moved off offer offset often out our others other original or option opportunity opening opened ontario only oneday one once on ok move months over loose make made luck loyalty your lower lost losing looking monthly long lol locations location ll living live little makes making manservices market month money monetary moment mom mistake mind might merge memberships membership members member medical means may married outside own resubscribe raised really reality reactivate re rather rates rate raises raise problem quickly quality putting put pushed provider profits profit reason recent recently recession
Topic 42 | Coherence=-226825.20 | Top words= raising prices are keep your out so the and other reason it better gonna services only im kept cheaper that youre charging people stop if you charge price money extra because into customer differences improvements without success worth any or year some every put please months damn twice in guys not these ridiculous hungry agree grandkids gouging gotten got good again againlater gone going goes go given give girl gf getting get great away greed happy havent have has hardly addtional hard adicional hand greedy afford half had hacking hackednot hacked after gas garbage he games fiance few feet fees allow feel fee fault far fan family allowed fair fact face almost extortion finally financial financially forcing future fuel from frequent free forth forever for all food focused flat fixed fix first alarming having addresses expenses job keeps keeping acceptance justify just joint join jacking kidding itself its access issues issue isnt isn absurd kids iny legacy limit like life letting let lesser less left lack leave learning layoff about later last laid is intolerable health holder how households additional household house hosehold horrible history husband hiking hikes hike higher high her help huge idea account increasing accounts interested acct instead inflation increments increasses increases addition increased increase income activities added adding ill expensive already awhile connected aparently changing changes changed change cell caused caring cared care card cant cannot apps cancelling aren canceling charged anyways charges college competitive compared company coming come combining combine another anymore climbing climb city choose choice checking anticonsumer cancel as can before between at aunt benefits benefit being begin been biannually becoming automatically became be barely bank back bf biased bye boyfriend by but business buggin budget broke break both biden blindly bit bills billings billing bill biggest compromised consider expected consolidating due drive drastically drain limiting down double dont done don doesnt do divorce disgusts disgusting discontinue disappointed duplicate each earlier enough everything also even euro especially entertainment entertaining end easily emails email elsewhere else eliminating el edge direction different am continuous creep credit covid courtesy country costs cost an current annually continues continue continually continously constantly constant currency currently didnt amercian deteriorated delivering declined decisions death deal days day amounts daughter date amount dad cutting cut customers limited loyal little started stranger stopping stopped stepdad stealing stay states starting start sub squeeze spouses spouse spending spend span sorry soon stupid subscriber they taste their thats thanks thank than terrible temporary temporarily talk subscribers taking take system switching support summer subscriptions subscription son something someone scales sense selection seen seems see secure second scaling saving situation save same run rules rule rotating rising risen series service servicio set single since significant signaling sign sight sick shoves shouldn should short she sharing share shady several settled there thing ripped waste what were went well weeks week we way was when warrant wants wanted want waiting wait vs virtue whats where things workable youll yet years yearly yall ya wouldn would work while wont won with willing will wife why who value vaccine ut tired tried tracking town tooo too told today to tipped using times time tightening tight throughout through this think try trying two unable uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand under rise right live newest nothing nonsense nonesence non no nice next news new now never needed need my must multiple much moving notified of over ontario our others original options option opportunity opening opened oneday off one once on ok often offset offered offer moved move more losing making makes make made luck loyalty lower lost loose monthly looking longer long lol locations location ll living manservices many market married month monetary moment mom mistake mind might merge memberships membership members member medical means me maybe may outside overpriced return rate recently recent really reality reactivate re rather rates raises rectifying raised raise quickly quality putting pushed provider profits recession redo own residence retiring
Topic 43 | Coherence=-217327.61 | Top words= and increase customer garbage customers price service keep you me even rate care from in money about on do your because been yall years stealing havent drive manservices market competitive paying down pick quality shouldn after to should blindly horrible being loyal what why profiles aren since subscriptions pay focused day until uses waiting profit college kids am ll good fiance go given expected give expenses girl gf getting get gas expensive goes every going everything games euro gone gonna especially got entertainment entertaining gotten gouging grandkids extortion face extra future financial financially first greed few feet fix fixed fees flat feel fee food for fault far fan forcing forever family fair forth free frequent fact fuel finally great having greedy issues just joint join job jacking itself its it issue increments isnt isn is iny intolerable into interested instead justify keeping keeps kept limit like life letting let lesser less legacy left leave learning layoff later last laid lack kidding inflation increasses guys has higher high her help health he end have hardly increasing hard happy hand half had hacking hackednot hacked hike hikes hiking history increases increased income improvements im ill if idea husband hungry huge how households household house hosehold holder enough double emails benefit biggest biden biased biannually bf between better benefits begin automatically before becoming became be barely bank back awhile bill billing billings bills cant cannot cancelling canceling cancel can bye by but business buggin budget broke break boyfriend both bit away aunt cared addition agree againlater again afford adicional addtional addresses additional adding at added activities acct accounts account access acceptance absurd alarming all allow allowed as are apps aparently anyways anymore any anticonsumer another annually an amounts amount amercian also already almost card caring email decisions disappointed direction different differences didnt deteriorated delivering declined death current deal days daughter date damn dad cutting cut discontinue disgusting disgusts divorce elsewhere else eliminating el edge easily earlier each duplicate due drastically drain limiting dont done don doesnt currently currency caused cheaper combining combine climbing climb city choose choice checking charging creep charges charged charge changing changes changed change cell come coming company compared credit covid courtesy country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised limited youre little start stopping stopped stop stepdad stay states starting started squeeze stupid spouses spouse spending spend span sorry soon son stranger sub the talk that thanks thank than terrible temporary temporarily taste taking subscriber take system switching support summer success subscription subscribers something someone some save seen seems see secure second scaling scales saving same so run rules rule rotating rising risen rise ripped selection sense series services situation single significant signaling sign sight sick shoves short she sharing share shady several settled set servicio thats their live was were went well weeks week we way waste warrant when wants wanted want wait vs virtue value vaccine whats where there workable youll yet yearly year ya wouldn would worth work while wont won without with willing will wife who ut using users tightening tooo too told today tired tipped times time tight used throughout through this think things thing they these town tracking tried try use us upward upping upcoming up unneeded unnecessary unfortunately unfair unemployed understand under unable two twice trying right ridiculous return nice now notified nothing not nonsense nonesence non no next off news newest new never needed need my must of offer retiring opening our others other original or options option opportunity opened offered ontario only oneday one once ok often offset multiple much moving lost many making makes make made luck loyalty lower losing moved loose looking longer long lol locations location living married may maybe means move more months monthly month monetary moment mom mistake mind might merge memberships membership members member medical out outside over rates recently recent reason really reality reactivate re rather raising problem raises raised raise quickly putting put pushed provider recession rectifying redo reduce
Topic 44 | Coherence=-211234.97 | Top words= and the have for money is budget back this come will months few ill in tight try once return againlater tightening later wait resume may year stop to future join policy fee charging second spending bank lol subscriptions last girl get frequent from greedy fuel greed great games grandkids garbage gas gouging give gotten got getting gf good gonna gone going goes go given free youre forth face extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else eliminating el extra fact forever fair forcing food focused flat fixed fix first hacked financially financial finally fiance feet fees feel fault far fan family guys health hackednot itself keeps keeping keep justify just joint job jacking its instead it issues issue isnt isn iny intolerable into kept kidding kids lack live little limiting limited limit like life letting let lesser less legacy left leave learning layoff laid interested inflation hacking he hiking hikes hike higher high her help easily having increments havent has hardly hard happy hand half had history holder horrible hosehold increasses increasing increases increased increase income improvements im if idea husband hungry huge how households household house edge double earlier before biannually bf between better benefits benefit being begin been biden becoming because became be barely awhile away automatically biased biggest at buggin cancelling canceling cancel can bye by but business broke bill break boyfriend both blindly bit bills billings billing aunt as each adding again after afford adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cannot cant card date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer currently current currency deteriorated differences care done duplicate due drive drastically drain down ll dont don different doesnt do divorce disgusts disgusting discontinue disappointed direction creep credit covid charged climbing climb city choose choice checking cheaper charges charge courtesy changing changes changed change cell caused caring cared college combine combining coming country costs cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company living loyal location squeeze stopped stepdad stealing stay states starting started start spouses stranger spouse spend span sorry soon son something someone stopping stupid so taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscription subscribers subscriber some situation thats save selection seen seems see secure scaling scales saving same series run rules rule rotating rising risen rise ripped sense service single should since significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio that their ridiculous we when whats what were went well weeks week way while waste was warrant wants wanted want waiting vs where who value would youll you yet years yearly yall ya wouldn worth why workable work wont won without with willing wife virtue vaccine there tipped tried tracking town tooo too told today tired times twice time throughout through think things thing they these trying two ut upcoming using uses users used use us upward upping up unable until unneeded unnecessary unfortunately unfair unemployed understand under right retiring locations nonesence offer off of now notified nothing not nonsense non offset no nice next news newest new never needed offered often my options over outside out our others other original or option ok opportunity opening opened ontario only oneday one on need must own luck married market many manservices making makes make made loyalty me your lower lost losing loose looking longer long maybe means multiple moment much moving moved move more monthly month monetary mom medical mistake mind might merge memberships membership members member overpriced owner retired raises really reality reactivate re rather rates rate raising raised recent raise quickly quality putting put pushed provider profits reason recently profiles replace resubscribe restriction
Topic 45 | Coherence=-214858.48 | Top words= anymore to you make iny pop nice have face shoves it especially subscriber keeping forcing life lost me up choice currently more for not expensive with so subscription price worth is cant afford caused inflation using by president thanks biden membership few recession costs go focused going redo rising higher goes greedy greed great frequent from grandkids gouging fuel given gotten give gf girl got good games garbage gonna gone gas get getting future flat free family fact extra extortion expenses expected everything every even euro entertainment entertaining enough end emails email fair fan forth far forever food hacked fixed fix first financially financial finally fiance feet fees feel fee fault guys youre hackednot itself keeps keep justify just joint join job jacking its hacking issues issue isnt isn intolerable into interested instead kept kidding kids lack little limiting limited limit like letting let lesser less legacy left leave learning layoff later last laid increments increasses increasing history hikes hike high her help health he having else havent has hardly hard happy hand half had hiking holder increases horrible increased increase income in improvements im ill if idea husband hungry huge how households household house hosehold elsewhere drain eliminating el bf between better benefits benefit being begin before been becoming because became be barely bank back awhile away automatically biannually biased biggest budget cancelling canceling cancel can bye but business buggin broke bill break boyfriend both blindly bit bills billings billing aunt at as adding againlater again after adicional addtional addresses additional addition added alarming activities acct accounts account access acceptance absurd about agree all aren and are apps aparently anyways any anticonsumer another annually an allow amounts amount amercian am also already almost allowed cannot card care deal different differences didnt deteriorated delivering declined decisions death days disappointed day daughter date damn dad cutting cut customers direction discontinue current living edge easily earlier each duplicate due drive drastically down disgusting double dont done don doesnt do divorce disgusts customer currency cared charging combine college climbing climb city choose checking cheaper charges come charged charge changing changes changed change cell caring combining coming creep continually credit covid courtesy country cost continuous continues continue continously company constantly constant consolidating consider connected compromised competitive compared live loyal ll starting stranger stopping stopped stop stepdad stealing stay states started sub start squeeze spouses spouse spending spend span sorry stupid subscribers son temporarily their the thats that thank than terrible temporary taste subscriptions talk taking take system switching support summer success soon something ripped scaling series sense selection seen seems see secure second scales services saving save same run rules rule rotating risen service servicio someone sick some situation single since significant signaling sign sight shouldn set should short she sharing share shady several settled there these they way whats what were went well weeks week we waste where was warrant wants wanted want waiting wait vs when while thing would youll yet years yearly year yall ya wouldn workable who work wont won without willing will wife why virtue value vaccine tipped tried tracking town tooo too told today tired times ut time tightening tight throughout through this think things try trying twice two uses users used use us upward upping upcoming until unneeded unnecessary unfortunately unfair unemployed understand under unable rise right location nonsense offset offered offer off of now notified nothing nonesence ok non no next news newest new never needed often on my or overpriced over outside out our others other original options once option opportunity opening opened ontario only oneday one need must ridiculous loyalty married market many manservices making makes made luck your maybe lower losing loose looking longer long lol locations may means multiple monetary much moving moved move months monthly month money moment medical mom mistake mind might merge memberships members member own owner owning rate recent reason really reality reactivate re rather rates raising rectifying raises raised raise quickly quality putting put pushed recently reduce pagos respect return
Topic 46 | Coherence=-227513.16 | Top words= one in other have subscriptions need price you the only with made already or kids subscription putting between choose are activities expensive into this to we dont will so house two moved that my increase me scales direction goes tipped finally significant selection continually but households more once boyfriend get settled needed rejoin household moving aparently than and combine our multiple much remarried biased money back merge politically increasing hikes extortion given everything expected expenses give flat girl every extra gf face getting go entertainment even euro especially fair going entertaining gone gonna good got gotten gouging enough fact fan gas family great focused fix first financially financial food for forcing fiance forever few feet fees feel fee forth free fault frequent from fuel far future games fixed garbage grandkids youre greed isnt job jacking itself its it issues issue isn increases is iny intolerable interested instead inflation increments join joint just justify less legacy left leave learning layoff later last laid lack kidding kept keeps keeping keep increasses increased greedy hard health he emails having havent has hardly happy income hand half had hacking hackednot hacked guys help her high higher improvements im ill if idea husband hungry huge how hosehold horrible holder history hiking hike end double email begin biggest biden biannually bf better benefits benefit being before billing been becoming because became be barely bank awhile bill billings caring bye care card cant cannot cancelling canceling cancel can by bills business buggin budget broke break both blindly bit away automatically aunt addition againlater again after afford adicional addtional addresses additional adding at added acct accounts account access acceptance absurd about agree alarming all allow as aren apps anyways anymore any anticonsumer another annually an amounts amount amercian am also almost allowed cared caused elsewhere death disappointed different differences didnt deteriorated delivering declined decisions deal disgusting days day daughter date damn dad cutting cut discontinue disgusts cell due else eliminating el edge easily earlier each duplicate drive divorce drastically drain down let done don doesnt do customers customer currently checking coming come combining college climbing climb city choice cheaper current charging charges charged charge changing changes changed change company compared competitive compromised currency creep credit covid courtesy country costs cost continuous continues continue continously constantly constant consolidating consider connected lesser loyal letting started stopping stopped stop stepdad stealing stay states starting start something squeeze spouses spouse spending spend span sorry soon stranger stupid sub subscriber their thats thanks thank terrible temporary temporarily taste talk taking take system switching support summer success subscribers son someone ridiculous save sense seen seems see secure second scaling saving same some run rules rule rotating rising risen rise ripped series service services servicio situation single since signaling sign sight sick shoves shouldn should short she sharing share shady several set there these they way when whats what were went well weeks week waste thing was warrant wants wanted want waiting wait vs where while who why youll yet years yearly year yall ya wouldn would worth workable work wont won without willing wife virtue value vaccine twice try tried tracking town tooo too told today tired times time tightening tight throughout through think things trying unable ut under using uses users used use us upward upping upcoming up until unneeded unnecessary unfortunately unfair unemployed understand right return life nice now notified nothing not nonsense nonesence non no next monetary news newest new never must move months monthly of off offer offered overpriced over outside out others original options option opportunity opening opened ontario oneday on ok often offset month moment retiring locations lower lost losing loose looking longer long lol location mom ll living live little limiting limited limit like your loyalty luck make mistake mind might memberships membership members member medical means maybe may married market many manservices making makes own owner owning raising reason really reality reactivate re rather rates rate raises pagos raised raise quickly quality put pushed provider profits recent recently recession
Topic 47 | Coherence=-219690.72 | Top words= the in it my you is moved use time as months with can just last by many see rising service to who subscriber was before keeps son drain down second barely raising good amount increasing hardly won much currently since creep forever from frequent fuel forth free forcing youre gf future games greed great grandkids gouging gotten got gonna gone going goes go given give girl food getting get gas garbage for fiance focused flat extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email elsewhere else extra face fact few fixed fix first financially financial finally guys feet fair fees feel fee fault far fan family greedy health hacked itself kept keeping keep justify joint join job jacking its inflation issues issue isnt isn iny intolerable into interested kidding kids lack laid live little limiting limited limit like life letting let lesser less legacy left leave learning layoff later instead increments hackednot having hikes hike higher high her help el he havent increasses have has hard happy hand half had hacking hiking history holder horrible increases increased increase income improvements im ill if idea husband hungry huge how households household house hosehold eliminating don edge becoming bf between better benefits benefit being begin been because biased became be bank back awhile away automatically aunt biannually biden cant broke cancelling canceling cancel bye but business buggin budget break biggest boyfriend both blindly bit bills billings billing bill at aren are adding again after afford adicional addtional addresses additional addition added apps activities acct accounts account access acceptance absurd about againlater agree alarming all aparently anyways anymore any anticonsumer another annually and an amounts amercian am also already almost allowed allow cannot card easily date delivering declined decisions death deal days day daughter damn didnt dad cutting cut customers customer current currency credit deteriorated differences care done earlier each duplicate due drive drastically double dont ll different doesnt do divorce disgusts disgusting discontinue disappointed direction covid courtesy country charged climb city choose choice checking cheaper charging charges charge costs changing changes changed change cell caused caring cared climbing college combine combining cost continuous continues continue continually continously constantly constant consolidating consider connected compromised competitive compared company coming come living loyal location start stopped stop stepdad stealing stay states starting started squeeze stranger spouses spouse spending spend span sorry soon something stopping stupid some taking thanks thank than terrible temporary temporarily taste talk take sub system switching support summer success subscriptions subscription subscribers someone so thats run seen seems secure scaling scales saving save same rules sense rule rotating risen rise ripped right ridiculous return selection series situation should single significant signaling sign sight sick shoves shouldn short services she sharing share shady several settled set servicio that their locations waste what were went well weeks week we way warrant when wants wanted want waiting wait vs virtue value whats where ut would youll yet years yearly year yall ya wouldn worth while workable work wont without willing will wife why vaccine using there tightening town tooo too told today tired tipped times tight tried throughout through this think things thing they these tracking try uses unneeded users used us upward upping upcoming up until unnecessary trying unfortunately unfair unemployed understand under unable two twice retiring retired resume nonsense offered offer off of now notified nothing not nonesence often non no nice next news newest new never offset ok need options over outside out our others other original or option on opportunity opening opened ontario only oneday one once needed must resubscribe loyalty married market manservices making makes make made luck your maybe lower lost losing loose looking longer long lol may me multiple mom moving move more monthly month money monetary moment mistake means mind might merge memberships membership members member medical overpriced own owner raise reality reactivate re rather rates rate raises raised quickly reason quality putting put pushed provider profits profit profiles really recent owning rent restriction
100%|██████████| 48/48 [3:29:22<00:00, 261.71s/it]
Topic 48 | Coherence=-214991.77 | Top words= and don my need married of got two husband memberships with your subscriptions company now tired passed wife playing away paying games subscribers her recently own has just aunt person boyfriend share currently joint new gas hacked garbage fuel hackednot get getting gf future guys girl good greedy greed great grandkids gouging gotten gonna give gone frequent going goes go given from youre free fan fair fact face extra extortion expensive expenses expected everything every even euro especially entertainment entertaining enough end emails email family far forth fault forever forcing for had food focused flat fixed fix first financially financial finally fiance few feet fees feel fee hacking he half jacking kidding kept keeps keeping keep justify join job itself hand its it issues issue isnt isn is iny kids lack laid last live little limiting limited limit like life letting let lesser less legacy left leave learning layoff later intolerable into interested house horrible holder history hiking hikes hike higher high help health else having havent have hardly hard happy hosehold household instead households inflation increments increasses increasing increases increased increase income in improvements im ill if idea hungry huge how elsewhere duplicate eliminating at biased biannually bf between better benefits benefit being begin before been becoming because became be barely bank back awhile biden biggest bill business cannot cancelling canceling cancel can bye by but buggin billing budget broke break both blindly bit bills billings automatically as el aren againlater again after afford adicional addtional addresses additional addition adding added activities acct accounts account access acceptance absurd about agree alarming all annually are apps aparently anyways anymore any anticonsumer another an allow amounts amount amercian am also already almost allowed cant card care cared differences didnt deteriorated delivering declined decisions death deal days day daughter date damn dad cutting cut customers customer current different direction disappointed drain edge easily earlier each ll due drive drastically down discontinue double dont done doesnt do divorce disgusts disgusting currency creep credit charges climbing climb city choose choice checking cheaper charging charged combine charge changing changes changed change cell caused caring college combining covid continously courtesy country costs cost continuous continues continue continually constantly come constant consolidating consider connected compromised competitive compared coming living loyal location stay sub stupid stranger stopping stopped stop stepdad stealing states subscription starting started start squeeze spouses spouse spending spend subscriber success sorry terrible there their the thats that thanks thank than temporary summer temporarily taste talk taking take system switching support span soon they see servicio services service series sense selection seen seems secure settled second scaling scales saving save same run rules set several son signaling something someone some so situation single since significant sign shady sight sick shoves shouldn should short she sharing these thing rotating we when whats what were went well weeks week way while waste was warrant wants wanted want waiting wait where who virtue wouldn youll you yet years yearly year yall ya would why worth workable work wont won without willing will vs value things to try tried tracking town tooo too told today tipped twice times time tightening tight throughout through this think trying unable vaccine upping ut using uses users used use us upward upcoming under up until unneeded unnecessary unfortunately unfair unemployed understand rule rising locations not ok often offset offered offer off notified nothing nonsense once nonesence non no nice next news newest never on one must other owning owner overpriced over outside out our others original oneday or options option opportunity opening opened ontario only needed multiple parent luck may market many manservices making makes make made loyalty me lower lost losing loose looking longer long lol maybe means much monetary moving moved move more months monthly month money moment medical mom mistake mind might merge membership members member pagos parents risen reality reducing reduce redo rectifying recession recent reason really reactivate rejoin re rather rates rate raising raises raised raise reflect remarried quality resubscribe rise ripped
Average topic coherence for the top words is -218998.38690391858

After training let's have a look at the coherence scores to choose the ideal topic number.

In [16]:
x = n_range
y_coherence = coherence
fig, ax1 = plt.subplots(figsize=(15, 5))
ax1.plot(x, y_coherence, c='r')
ax1.set_xticks(x)
ax1.set_xlabel("Num Topics")
ax1.set_ylabel("Coherence score", color='r')
plt.show()

It looks like 10 topics is a good starting point. That's where the line shows the start of flattening, and it's still easy to explain.

In [17]:
num_topics = 10
In [18]:
# create btm
btm = oBTM(num_topics=num_topics, V=vocab)
In [19]:
print("\n\n Train Online BTM ..")
for i in range(0, len(biterms), 100): # prozess chunk of 200 texts
    biterms_chunk = biterms[i:i + 100]
    btm.fit(biterms_chunk, iterations=100)
topics = btm.transform(biterms)

 Train Online BTM ..
100%|██████████| 100/100 [00:17<00:00,  5.79it/s]
100%|██████████| 100/100 [00:13<00:00,  7.19it/s]
100%|██████████| 100/100 [00:25<00:00,  3.85it/s]
100%|██████████| 100/100 [00:33<00:00,  2.97it/s]
100%|██████████| 100/100 [00:51<00:00,  1.94it/s]
100%|██████████| 100/100 [00:00<00:00, 1667.00it/s]

Using the visualization below we can see the word distribution in each topic and name the topics accordingly.

In [20]:
pyLDAvis.enable_notebook()
vis = pyLDAvis.prepare(btm.phi_wz.T, topics, np.count_nonzero(X, axis=1), vocab, np.sum(X, axis=0), mds='mmds')
# pyLDAvis.save_html(vis, './vis/online_btm.html')
vis
Out[20]:

Here is the labels we decided to assign to each topic, in a mapping dictionary format.

In [50]:
topic_mapping = {
    1: 'Generally Disappointed',
    2: 'Constant price rise',
    3: 'Household change',
    4: 'Price increases',
    5: 'Reducing expenses',
    6: 'Family share not allowed',
    7: 'Not worth the price',
    8: 'Moving',
    9: 'Too expensive',
    10: 'Be back'
}

We can now assign a topic to each response and map the topic numbers to the labels we assigned above.

In [51]:
df_lda = df[df['keep']==True]
dominant_topics = []
for i in range(len(texts)):
    dominant_topics.append(topics[i].argmax() + 1)
df_lda['dominant_topic'] = dominant_topics
df_lda
Out[51]:
question respondent_id response theme keep dominant_topic
0 Why are you cancelling? 1779533 seen what I like already NaN True 2
1 Why are you cancelling? 1779397 You keep canceling really good, popular series! NaN True 5
2 Why are you cancelling? 1779811 Getting through cell provider NaN True 7
4 Why are you cancelling? 1779967 Cannot have multiple users Object to sharing restrictions True 1
5 Why are you cancelling? 1779966 cost has risen too much too quickly Constant price rise / increase True 8
... ... ... ... ... ... ...
658 Why are you cancelling? 1779372 Your pricing is terrible. You keep increasing ... Constant price rise / increase True 5
659 Why are you cancelling? 1779371 Your profits are up and you're *raising* my pr... Constant price rise / increase True 1
660 Why are you cancelling? 1779370 Your rates are higher than others who do the s... Prefer competition True 7
661 Why are you cancelling? 1779370 Your rates are higher than others who do the s... Too expensive True 7
662 Why are you cancelling? 1779369 Your stupid price hike again Constant price rise / increase True 7

501 rows × 6 columns

In [52]:
df_lda['dominant_topic'] = df_lda['dominant_topic'].map(topic_mapping)
df_lda
Out[52]:
question respondent_id response theme keep dominant_topic
0 Why are you cancelling? 1779533 seen what I like already NaN True Constant price rise
1 Why are you cancelling? 1779397 You keep canceling really good, popular series! NaN True Reducing expenses
2 Why are you cancelling? 1779811 Getting through cell provider NaN True Not worth the price
4 Why are you cancelling? 1779967 Cannot have multiple users Object to sharing restrictions True Generally Disappointed
5 Why are you cancelling? 1779966 cost has risen too much too quickly Constant price rise / increase True Moving
... ... ... ... ... ... ...
658 Why are you cancelling? 1779372 Your pricing is terrible. You keep increasing ... Constant price rise / increase True Reducing expenses
659 Why are you cancelling? 1779371 Your profits are up and you're *raising* my pr... Constant price rise / increase True Generally Disappointed
660 Why are you cancelling? 1779370 Your rates are higher than others who do the s... Prefer competition True Not worth the price
661 Why are you cancelling? 1779370 Your rates are higher than others who do the s... Too expensive True Not worth the price
662 Why are you cancelling? 1779369 Your stupid price hike again Constant price rise / increase True Not worth the price

501 rows × 6 columns

Part 2¶

The easiest way to show the topic distribution is to show the count plot.

In [53]:
plt.figure(figsize=(15, 5))
plot_df = df_lda['dominant_topic'].value_counts(normalize=True).mul(100).rename('percent').reset_index()
sns.barplot(data=plot_df,  x='index', y='percent')
plt.title('LDA Analyis - Topics')
plt.xticks(rotation = 45)
plt.show()

It looks like the major reason for cancelling is the price, being too expensive (15%) or people want to reduce their expenses (13%). A good part is temporarily canceling but will be back (13%). Also not allowing family share is an issue for 12% of the people and or moving/changing household is the reason for 22% (combined) of the total.

We can also see the word cloud per topic.

In [54]:
topic_selection = 'Moving'

plot_df = df_lda[df_lda['dominant_topic']==topic_selection]
inputs = plot_df['response'].tolist()
with warnings.catch_warnings():
    warnings.filterwarnings("ignore")
    from imp import reload
warnings.filterwarnings('ignore')
_wordclouds(inputs, max_words=200)

Further discussions¶

Above are just some of the visualizations that could help the analyst's understanding of the language that distinguishes the topics. Other helpful visual could be bar chart of most frequent words per topic, part of speech (POS) analysis or named entity recognition algorithms to find different patterns in the language.

Because of the nature of the short answers, BTM topic model is most suitable for the task, but a regular LDA analysis could be tried to compare the results. Below are some of next steps that could be implemented:

  • come up with a metric, that could be accuracy, to evaluate the BTM model with the pre-labeled text (theme column)
  • improve the model with more text clenup and pre-processing (lemmatization or stemmatization in primis)
  • we had to remove answers shorted than 3 words for the BTM mode lto work (in order to create biterms) but we need to work with the whole dataset
  • For very short answer the best approach would probably be topic assignment based on root words and matching/similarity to topic label (example: if (root) word is in topic label then assign label)
  • More advanced technologies, based on pre-trained transformers, can be used. Example: use sentence embeddings (BERT, GPT series, T5, etc..) and try clustering the hyper-dimensional vectors to get the topics
  • BERTopic is another (transformer based model) option for this kind of problem, to experiment with